344. Reverse String
题目描述和难度
- 题目描述:
请编写一个函数,其功能是将输入的字符串反转过来。
示例:
输入:s = "hello" 返回:"olleh"
- 题目难度:简单。
- 英文网址:344. Reverse String 。
- 中文网址:344. 反转字符串 。
思路分析
求解关键:这道题其实没有太多可以说明的,就是转换成字符数组,从两边向中间逐个交换。
参考解答
参考解答1
public class Solution {
public String reverseString(String s) {
int len = s.length();
if (len < 2) {
return s;
}
char[] chars = s.toCharArray();
reverseString(chars);
return String.valueOf(chars);
}
private void reverseString(char[] arr) {
int l = 0;
int r = arr.length - 1;
while (l < r) {
swap(arr, l, r);
l++;
r--;
}
}
private void swap(char[] arr, int l, int r) {
char temp = arr[l];
arr[l] = arr[r];
arr[r] = temp;
}
public static void main(String[] args) {
String s = "hello";
Solution solution =new Solution();
String reverseString = solution.reverseString(s);
System.out.println(reverseString);
}
}
思路1:使用 Java 语言提供的反转 API 完成
public class Solution {
public String reverseString(String s) {
StringBuilder reverse = new StringBuilder();
for (int i = s.length()-1; i >=0 ; i--) {
reverse.append(s.charAt(i));
}
return reverse.toString();
}
// Given s = "hello", return "olleh".
public static void main(String[] args) {
String s = "hello";
Solution solution = new Solution();
String reverseString = solution.reverseString(s);
System.out.println(reverseString);
}
}
思路2:使用指针对撞
Java 代码实现:
public class Solution {
public String reverseString(String s) {
char[] cArray = s.toCharArray();
int i = 0;
int j = cArray.length - 1;
while (i < j) {
swap(cArray, i, j);
i++;
j--;
}
return new String(cArray);
}
private void swap(char[] s, int index1, int index2) {
if (index1 == index2) return;
char temp = s[index1];
s[index1] = s[index2];
s[index2] = temp;
}
public static void main(String[] args) {
Solution solution = new Solution();
String result = solution.reverseString("hello world");
System.out.println(result);
}
}
本篇文章的地址为 https://liweiwei1419.github.io/leetcode-solution/leetcode-0344-reverse-string ,如果我的题解有错误,或者您有更好的解法,欢迎您告诉我 liweiwei1419@gmail.com 。