给你一个字符串
s
,请你反转字符串中单词的顺序。单词 是由非空格字符组成的字符串。
s
中使用至少一个空格将字符串中的单词分隔开。返回单词顺序颠倒且单词之间用单个空格连接的结果字符串。
注意:输入字符串
s
中可能会存在前导空格、尾随空格或者单词间的多个空格。返回的结果字符串中,单词间应当仅用单个空格分隔,且不包含任何额外的空格。
示例 1:
输入:s = "the sky is blue"
输出:"blue is sky the"
示例 2:
输入:s = " hello world "
输出:"world hello"
解释:反转后的字符串中不能存在前导空格和尾随空格。
示例 3:
输入:s = "a good example"
输出:"example good a"
解释:如果两个单词间有多余的空格,反转后的字符串需要将单词间的空格减少到仅有一个。
解题思路
用一个哈希表来存储单词,通过循环取单词(遇到空格就把之前的添加到哈希表),然后从哈希表的末尾开始输出,最后处理空格的问题
cpp
class Solution {
public:
string reverseWords(string s) {
unordered_map<int, string> re;
int n = 0;
string temp = "";
for (int i = 0; i < s.length(); i++) {
if (s[i] == ' ') { //如果遇到空格,且temp里有数据,就把temp加入哈希表,然后初始化temp
if (!temp.empty()) {
re[n] = temp;
++n;
temp = "";
}
} else {
temp += s[i];
}
}
if (!temp.empty()) { //最后一个temp保存的数据,不会再经过循环(循环满了)添加进行哈希表,所以单独添加
re[n] = temp;
}
string result;
for (int i = n; i >= 0; i--) {//从尾部开始选取
if (re.find(i) != re.end()) {
result += re[i];
if (i > 0) { // 不在最后一个单词后面加空格
result += " ";
}
}
}
// 删除字符串开头的空格
if (!result.empty() && result[0] == ' ') {
result = result.substr(1);
}
return result;
}
};