剑指offer 58 - I. 翻转单词顺序
程序员文章站
2022-04-30 18:50:24
...
题目链接
题目描述
输入一个英文句子,翻转句子中单词的顺序,但单词内字符的顺序不变。为简单起见,标点符号和普通字母一样处理。例如输入字符串"I am a student. “,则输出"student. a am I”。
示例 1:
输入: “the sky is blue”
输出: “blue is sky the”
示例 2:
输入: " hello world! "
输出: “world! hello”
解释: 输入字符串可以在前面或者后面包含多余的空格,但是反转后的字符不能包括。
示例 3:
输入: “a good example”
输出: “example good a”
解释: 如果两个单词间有多余的空格,将反转后单词间的空格减少到只含一个。
说明:
无空格字符构成一个单词。
输入字符串可以在前面或者后面包含多余的空格,但是反转后的字符不能包括。
如果两个单词间有多余的空格,将反转后单词间的空格减少到只含一个。
方法1
利用内置 split 方法和 reverse 方法。
优点:写法最简单
class Solution {
public String reverseWords(String s) {
// 除去字符串中空格
s = s.trim();
// 通过空格分割字符串:s.split("\\s+")
/新建字符串:/Arrays.asList()
List<String> wordList = Arrays.asList(s.split("\\s+"));
//反转字符串
Collections.reverse(wordList);
//给字符串中单词间加入空格
return String.join(" ", wordList);
}
}
方法二:先反转字符串再反转每个单词
在不同语言中这个方法的实现是不一样的,主要的差别是有些语言的字符串不可变(如 Java 和 Python),有些语言的字符串可变(如 C++)。
对于字符串不可变的语言,首先得把字符串转化成其他可变的数据结构,同时还需要在转化的过程中去除空格。
代码
注意:要使用StringBuilder来操纵字符串
class Solution {
public StringBuilder trimSpaces(String s) {
int left = 0, right = s.length() - 1;
// remove leading spaces
while (left <= right && s.charAt(left) == ' ') ++left;
// remove trailing spaces
while (left <= right && s.charAt(right) == ' ') --right;
// reduce multiple spaces to single one
StringBuilder sb = new StringBuilder();
while (left <= right) {
char c = s.charAt(left);
if (c != ' ') sb.append(c);
else if (sb.charAt(sb.length() - 1) != ' ') sb.append(c);
++left;
}
return sb;
}
public void reverse(StringBuilder sb, int left, int right) {
while (left < right) {
char tmp = sb.charAt(left);
sb.setCharAt(left++, sb.charAt(right));
sb.setCharAt(right--, tmp);
}
}
public void reverseEachWord(StringBuilder sb) {
int n = sb.length();
int start = 0, end = 0;
while (start < n) {
// go to the end of the word
while (end < n && sb.charAt(end) != ' ') ++end;
// reverse the word
reverse(sb, start, end - 1);
// move to the next word
start = end + 1;
++end;
}
}
public String reverseWords(String s) {
// converst string to string builder
// and trim spaces at the same time
StringBuilder sb = trimSpaces(s);
// reverse the whole string
reverse(sb, 0, sb.length() - 1);
// reverse each word
reverseEachWord(sb);
return sb.toString();
}
}