题目
输入一个英文句子,翻转句子中单词的顺序,但单词内字符的顺序不变。为简单起见,标点符号和普通字母一样处理。例如输入字符串"I am a student. “,则输出"student. a am I”。
示例一
输入: “the sky is blue”
输出: “blue is sky the”
代码
class Solution {
public:
string reverseWords(string s) {
int n = s.size();
int l = 0, r = 0;
vector<string> ans;
while(l < n){
while(l < n && isspace(s[l])) l++;
r = l + 1;
while(r < n && !isspace(s[r])) r++;
ans.push_back(s.substr(l, r - l));
while(r < n && isspace(s[r])) r++;
l = r;
}
string cnt="";
if(ans.size() == 0) return cnt;
for(int i = ans.size() - 1;i > 0;i--){
cnt += ans[i];
cnt += " ";
}
cnt += ans[0];
return cnt;
}
};