【leetcode】557. 反转字符串中的单词 III(reverse-words-in-a-string-iii)(字符串)[简单]

链接

https://leetcode-cn.com/problems/reverse-words-in-a-string-iii/

耗时

解题:7 min
题解:4 min

题意

给定一个字符串,你需要反转字符串中每个单词的字符顺序,同时仍保留空格和单词的初始顺序。

提示:在字符串中,每个单词由单个空格分隔,并且字符串中不会有任何额外的空格。

思路

模拟题意,详见代码。

时间复杂度: O ( n ) O(n) O(n),字符串长度

AC代码

class Solution {
public:
    string reverseWords(string s) {
        int n = s.size();
        string tmp = "", ans;
        for(int i = 0; i < n; ++i) {
            if(s[i] == ' ') {
                reverse(tmp.begin(), tmp.end());
                ans += (tmp + " ");
                tmp = "";
            }
            else {
                tmp += s[i];
            }
        }
        reverse(tmp.begin(), tmp.end());
        ans += tmp;
        return ans;
    }
};

你可能感兴趣的:(leetcode,字符串,题解,leetcode,字符串,模拟)