leetcode151 Reverse Words in a String-zh
# 151. 翻转字符串里的单词 (opens new window)
English Version (opens new window)
# 题目描述
给定一个字符串,逐个翻转字符串中的每个单词。
说明:
- 无空格字符构成一个 单词 。
- 输入字符串可以在前面或者后面包含多余的空格,但是反转后的字符不能包括。
- 如果两个单词间有多余的空格,将反转后单词间的空格减少到只含一个。
示例 1:
输入:"the sky is blue
" 输出:"blue is sky the
"
示例 2:
输入:" hello world! " 输出:"world! hello" 解释:输入字符串可以在前面或者后面包含多余的空格,但是反转后的字符不能包括。
示例 3:
输入:"a good example" 输出:"example good a" 解释:如果两个单词间有多余的空格,将反转后单词间的空格减少到只含一个。
示例 4:
输入:s = " Bob Loves Alice " 输出:"Alice Loves Bob"
示例 5:
输入:s = "Alice does not even like bob" 输出:"bob like even not does Alice"
提示:
1 <= s.length <= 104
s
包含英文大小写字母、数字和空格' '
s
中 至少存在一个 单词
进阶:
- 请尝试使用 O(1) 额外空间复杂度的原地解法。
# 解法
# Python3
class Solution:
def reverseWords(self, s: str) -> str:
words = s.strip().split()
return ' '.join(words[::-1])
1
2
3
4
2
3
4
# Java
class Solution {
public String reverseWords(String s) {
List<String> words = Arrays.asList(s.trim().split("\\s+"));
Collections.reverse(words);
return String.join(" ", words);
}
}
1
2
3
4
5
6
7
2
3
4
5
6
7
# C#
public class Solution {
public string ReverseWords(string s) {
return string.Join(" ", s.Trim().Split(" ").Where(word => !string.IsNullOrEmpty(word) && !string.IsNullOrEmpty(word.Trim())).Reverse());
}
}
1
2
3
4
5
2
3
4
5
# TypeScript
function reverseWords(s: string): string {
let words: string[] = s.trim().split(/\s+/g);
words.reverse();
return words.join(' ');
};
1
2
3
4
5
2
3
4
5
# ...
1
编辑 (opens new window)
上次更新: 2021/10/30, 12:58:38