image.png

思路

先反转整个字符串,再每个单词进行反转

  1. public class Solution {
  2. public String reverseWords(String s) {
  3. if (s == null) return null;
  4. char[] a = s.toCharArray();
  5. int n = a.length;
  6. // 1.反转整个字符串
  7. reverse(a, 0, n - 1);
  8. // 2.反转每一个单词
  9. reverseWords(a, n);
  10. // 3.去掉空格
  11. return cleanSpaces(a, n);
  12. }
  13. void reverseWords(char[] a, int n) {
  14. int i = 0, j = 0;
  15. //i指向要反转的第一个元素 j指向最后一个元素
  16. while (i < n) {
  17. while (i < j || i < n && a[i] == ' ') i++; // skip spaces
  18. while (j < i || j < n && a[j] != ' ') j++; // skip non spaces
  19. reverse(a, i, j - 1); // reverse the word
  20. }
  21. }
  22. // 去掉开头的中间的多余空格
  23. String cleanSpaces(char[] a, int n) {
  24. int i = 0, j = 0;
  25. while (j < n) {
  26. while (j < n && a[j] == ' ') j++; // skip spaces
  27. while (j < n && a[j] != ' ') a[i++] = a[j++]; // keep non spaces
  28. while (j < n && a[j] == ' ') j++; // skip spaces
  29. if (j < n) a[i++] = ' '; // keep only one space
  30. }
  31. return new String(a).substring(0, i);
  32. }
  33. // 反转从i到j的部分
  34. private void reverse(char[] a, int i, int j) {
  35. while (i < j) {
  36. char t = a[i];
  37. a[i++] = a[j];
  38. a[j--] = t;
  39. }
  40. }
  41. }