目录
题目
思路1
代码1
结果1
思路2
代码2
结果2
更优秀题解
提升笔记
优化
全部代码
给定一个字符串,你需要反转字符串中每个单词的字符顺序,同时仍保留空格和单词的初始顺序。
示例:
输入:"Let's take LeetCode contest"
输出:"s'teL ekat edoCteeL tsetnoc"
提示:
在字符串中,每个单词由单个空格分隔,并且字符串中不会有任何额外的空格。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/reverse-words-in-a-string-iii
读取字符至空格,拼接字符串。使用reverse函数反转,拼接到最终的返回字符串上。C++的String不像java或python,没有split函数,这个是真的不太好,本来想换语言(用python一句 return " ".join([i[::-1] for i in s.split()]) 就ok了),但本专栏说好使用c++,就没有换,自己也懒得实现split。
string reverseWords(string s) {
string res = "";
string temp = "";
for (char c : s)
{
if (c == ' ')
{
reverse(temp.begin(), temp.end());
res += temp;
res += c;
temp.clear();
}
else
{
temp += c;
}
}
reverse(temp.begin(), temp.end());
res += temp;
return res;
}
结果预料当中。。。
原字符串直接交换
来源:官方题解
class Solution {
public:
string reverseWords(string s) {
int length = s.length();
int i = 0;
while (i < length) {
int start = i;
while (i < length && s[i] != ' ') {
i++;
}
int left = start, right = i - 1;
while (left < right) {
swap(s[left], s[right]);
left++;
right--;
}
while (i < length && s[i] == ' ') {
i++;
}
}
return s;
}
};
没有运行
思路2优化:双指针
string reverseWords(string s) {
int n = s.size();
if (!n) return s;
int left = 0, right = 0;
while (right
其实就是两个位置标记,并不是指针。
字符流,这个是我没想到的。之前使用流一般做字符数组、字符串或其他类型的转化。
string reverseWords(string s) {
istringstream ss(s);
string res, str;
while(ss >> str) {
reverse(str.begin(),str.end());
res += str + " ";
}
return res.substr(0,res.length() - 1);
}
1.双指针更方便
2.字符串流可用于含空格字符串的分割
string reverseWords(string s) {
int n = s.size();
if (s.empty()|| 1==n)return s;
int left = 0, right = 0;
while (right
empty判断为字符串是否为空效率更高,一般不使用s.size()==0。
#include
#include
#include
#include
using namespace std;
class Solution {
public:
//string reverseWords(string s) {
// string res = "";
// string temp = "";
// for (char c : s)
// {
// if (c == ' ')
// {
// reverse(temp.begin(), temp.end());
// res += temp;
// res += c;
// temp.clear();
// }
// else
// {
// temp += c;
// }
// }
// reverse(temp.begin(), temp.end());
// res += temp;
// return res;
//}
//string reverseWords(string s) {
// int n = s.size();
// if (!n) return s;
// int left = 0, right = 0;
// while (right> str) {
// reverse(str.begin(), str.end());
// res += str + " ";
// }
// return res.substr(0, res.length() - 1);
//}
//双指针优化代码
string reverseWords(string s) {
int n = s.size();
if (s.empty()|| 1==n)return s;
int left = 0, right = 0;
while (right
更多内容:OJ网站题目分类,分难度整理笔记(leetcode、牛客网)
喜欢本文的请动动小手点个赞,收藏一下,有问题请下方评论,转载请注明出处,并附有原文链接,谢谢!如有侵权,请及时联系。如果您感觉有所收获,自愿打赏,可选择支付宝18833895206(小于),您的支持是我不断更新的动力。