leet-code/src/main/java/leetcode/editor/cn/ReverseWordsInAStringIii.java

50 lines
1.4 KiB
Java
Raw Normal View History

2021-07-09 14:39:45 +08:00
//给定一个字符串,你需要反转字符串中每个单词的字符顺序,同时仍保留空格和单词的初始顺序。
//
//
//
// 示例:
//
// 输入:"Let's take LeetCode contest"
//输出:"s'teL ekat edoCteeL tsetnoc"
//
//
//
//
// 提示:
//
//
// 在字符串中,每个单词由单个空格分隔,并且字符串中不会有任何额外的空格。
//
// Related Topics 双指针 字符串
// 👍 300 👎 0
package leetcode.editor.cn;
2021-07-09 14:40:26 +08:00
2021-07-09 14:39:45 +08:00
//557:反转字符串中的单词 III
2021-07-09 14:40:26 +08:00
public class ReverseWordsInAStringIii {
2021-07-09 14:39:45 +08:00
public static void main(String[] args) {
//测试代码
Solution solution = new ReverseWordsInAStringIii().new Solution();
}
2021-07-09 14:40:26 +08:00
2021-07-09 14:39:45 +08:00
//力扣代码
//leetcode submit region begin(Prohibit modification and deletion)
2021-07-09 14:40:26 +08:00
class Solution {
public String reverseWords(String s) {
StringBuilder str = new StringBuilder();
StringBuilder ss = new StringBuilder();
for (char ch : s.toCharArray()) {
if (ch != ' ') {
str.append(ch);
} else {
ss.append(str.reverse()).append(" ");
str = new StringBuilder();
}
2021-07-09 14:39:45 +08:00
}
2021-07-09 14:40:26 +08:00
ss.append(str.reverse());
return ss.toString();
2021-07-09 14:39:45 +08:00
}
}
//leetcode submit region end(Prohibit modification and deletion)
}