来源:Leetcode
原帖:https://oj.leetcode.com/problems/reverse-words-in-a-string/
题目:
Given an input string, reverse the string word by word. For example,
Given s = "the sky is blue", return "blue is sky the".
click to show clarification. Clarification:
What constitutes a word?
A sequence of non-space characters constitutes a word. Could the input string contain leading or trailing spaces? Yes. However, your reversed string should not contain leading or trailing spaces. How about multiple spaces between two words? Reduce them to a single space in the reversed string.
代码:
原帖:https://oj.leetcode.com/problems/reverse-words-in-a-string/
题目:
Given an input string, reverse the string word by word. For example,
Given s = "the sky is blue", return "blue is sky the".
click to show clarification. Clarification:
What constitutes a word?
A sequence of non-space characters constitutes a word. Could the input string contain leading or trailing spaces? Yes. However, your reversed string should not contain leading or trailing spaces. How about multiple spaces between two words? Reduce them to a single space in the reversed string.
代码:
class Solution {
void reverseWords(string &s) {
stringstream ss(s);
vector<string> vs;
string word;
while (ss >> word) {
vs.push_back(word);
}
reverse(vs.begin(), vs.end());
for (size_t i = 0; i < vs.size(); ++i {
if (i ! = 0) ss << ' ';
ss << vs[i];
}
s = ss.str();
}
};
class Solution {
public:
void reverseWords(string &s) {
string result;
int pos = 0;
for (int i = 0; i < s.size(); i ++){
if (s[i] == ' '){
if (i > pos )
result = s.substr(pos,i-pos)+ " " + result ;
pos = i + 1;
}
else if (i == s.size()-1)
result = s.substr(pos,s.size()-pos)+" "+result;
}
s = result.substr(0,result.size()-1) ;
}
};
No comments:
Post a Comment