F_JustWei's Studio.

5742. 将句子排序

字数统计: 525阅读时长: 2 min
2021/05/16 Share

5742. 将句子排序

一个 句子 指的是一个序列的单词用单个空格连接起来,且开头和结尾没有任何空格。每个单词都只包含小写或大写英文字母。

我们可以给一个句子添加 从 1 开始的单词位置索引 ,并且将句子中所有单词 打乱顺序

  • 比方说,句子 "This is a sentence" 可以被打乱顺序得到 "sentence4 a3 is2 This1" 或者 "is2 sentence4 This1 a3"

给你一个 打乱顺序 的句子 s ,它包含的单词不超过 9 个,请你重新构造并得到原本顺序的句子。

示例 1:

1
2
3
输入:s = "is2 sentence4 This1 a3"
输出:"This is a sentence"
解释:将 s 中的单词按照初始位置排序,得到 "This1 is2 a3 sentence4" ,然后删除数字。

示例 2:

1
2
3
输入:s = "Myself2 Me1 I4 and3"
输出:"Me Myself and I"
解释:将 s 中的单词按照初始位置排序,得到 "Me1 Myself2 and3 I4" ,然后删除数字。

提示:

  • 2 <= s.length <= 200
  • s 只包含小写和大写英文字母、空格以及从 19 的数字。
  • s 中单词数目为 19 个。
  • s 中的单词由单个空格分隔。
  • s 不包含任何前导或者后缀空格。

c++程序:

固定数量
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
class Solution {
public:
string sortSentence(string s) {
vector<string> v(15);
for (int i = 0; i < s.size(); i++) {
string word;
while (i < s.size() && s[i] != ' ') {
word += s[i++];
}
int pos = word.back() - '0';
v[pos] = word.substr(0, word.size() - 1);
}

string ans;
for (int i = 1; i < 10; i++) {
if (!v[i].empty()) {
ans += v[i] + " ";
}
}
ans.pop_back();

return ans;
}
};
泛解
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24

class Solution {
public:
string sortSentence(string s) {
vector<pair<int,string>> v;
for (int i = 0; i < s.size(); i++) {
string word;
while (i < s.size() && s[i] != ' ') {
word += s[i++];
}
int pos = word.back() - '0';
v.emplace_back(pos, word.substr(0, word.size() - 1));
}

sort(v.begin(), v.end());
string ans;
for (auto& t : v) {
ans += t.second + ' ';
}
ans.pop_back();

return ans;
}
};
CATALOG
  1. 1. 5742. 将句子排序
    1. 1.0.1. 示例 1:
    2. 1.0.2. 示例 2:
    3. 1.0.3. 提示:
    4. 1.0.4. c++程序:
      1. 1.0.4.0.1. 固定数量
      2. 1.0.4.0.2. 泛解