题目描述
一个 句子 指的是一个序列的单词用单个空格连接起来,且开头和结尾没有任何空格。每个单词都只包含小写或大写英文字母。
我们可以给一个句子添加 从 1 开始的单词位置索引 ,并且将句子中所有单词 打乱顺序 。
- 比方说,句子
"This is a sentence"
可以被打乱顺序得到 "sentence4 a3 is2 This1"
或者 "is2 sentence4 This1 a3"
。
给你一个 打乱顺序 的句子 s
,它包含的单词不超过 9
个,请你重新构造并得到原本顺序的句子。
示例 1:
输入:s = "is2 sentence4 This1 a3"
输出:"This is a sentence"
解释:将 s 中的单词按照初始位置排序,得到 "This1 is2 a3 sentence4" ,然后删除数字。
示例 2:
输入:s = "Myself2 Me1 I4 and3"
输出:"Me Myself and I"
解释:将 s 中的单词按照初始位置排序,得到 "Me1 Myself2 and3 I4" ,然后删除数字。
提示:
2 <= s.length <= 200
s
只包含小写和大写英文字母、空格以及从 1
到 9
的数字。
s
中单词数目为 1
到 9
个。
s
中的单词由单个空格分隔。
s
不包含任何前导或者后缀空格。
解法
方法一:字符串分割
我们先将字符串 $s$ 按照空格分割,得到字符串数组 $\textit{ws}$,然后遍历数组 $\textit{ws}$,将每个单词的最后一个字符减去字符 '1',得到的结果作为单词的索引,将单词的前缀作为单词的内容,最后将单词按照索引顺序拼接起来即可。
时间复杂度 $O(n)$,空间复杂度 $O(n)$。其中 $n$ 为字符串 $s$ 的长度。
| class Solution:
def sortSentence(self, s: str) -> str:
ws = [(w[:-1], int(w[-1])) for w in s.split()]
ws.sort(key=lambda x: x[1])
return ' '.join(w for w, _ in ws)
|
1
2
3
4
5
6
7
8
9
10
11
12 | class Solution {
public String sortSentence(String s) {
String[] ws = s.split(" ");
int n = ws.length;
String[] ans = new String[n];
for (int i = 0; i < n; ++i) {
String w = ws[i];
ans[w.charAt(w.length() - 1) - '1'] = w.substring(0, w.length() - 1);
}
return String.join(" ", ans);
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21 | class Solution {
public:
string sortSentence(string s) {
istringstream iss(s);
string w;
vector<string> ws;
while (iss >> w) {
ws.push_back(w);
}
vector<string> ss(ws.size());
for (auto& w : ws) {
ss[w.back() - '1'] = w.substr(0, w.size() - 1);
}
string ans;
for (auto& w : ss) {
ans += w + " ";
}
ans.pop_back();
return ans;
}
};
|
| func sortSentence(s string) string {
ws := strings.Split(s, " ")
ans := make([]string, len(ws))
for _, w := range ws {
ans[w[len(w)-1]-'1'] = w[:len(w)-1]
}
return strings.Join(ans, " ")
}
|
| function sortSentence(s: string): string {
const ws = s.split(' ');
const ans = Array(ws.length);
for (const w of ws) {
ans[w.charCodeAt(w.length - 1) - '1'.charCodeAt(0)] = w.slice(0, -1);
}
return ans.join(' ');
}
|
1
2
3
4
5
6
7
8
9
10
11
12 | /**
* @param {string} s
* @return {string}
*/
var sortSentence = function (s) {
const ws = s.split(' ');
const ans = Array(ws.length);
for (const w of ws) {
ans[w.charCodeAt(w.length - 1) - '1'.charCodeAt(0)] = w.slice(0, -1);
}
return ans.join(' ');
};
|