1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52
| public class Test { public static void main(String[] args) { System.out.println(reverseWords("How are you!")); System.out.println(reverseWords("do justice to a dinner")); System.out.println(reverseWords("")); System.out.println(reverseWords("A")); System.out.println(reverseWords("A Biao")); System.out.println(reverseWords("!A Biao C.")); }
public static String reverseWords(String str) { int start = 1; int end = 0; char[] chs = str.toCharArray();
reverseCharactersInRange(chs, 0, chs.length - 1);
for (int i = 0; i < chs.length; ++i) { if (Character.isLetter(chs[i])) { if (start > end) { start = end = i; } else { ++end; } } else { if (start < end) { reverseCharactersInRange(chs, start, end); } start = chs.length; } }
if (start < end) { reverseCharactersInRange(chs, start, end); }
return new String(chs); }
public static void reverseCharactersInRange(char[] chs, int start, int end) { int times = (end - start + 1) / 2;
for (int i = 0; i < times; ++i) { char temp = chs[start + i]; chs[start + i] = chs[end - i]; chs[end - i] = temp; } } }
|