leetcode刷题:反转字符串中的单词 III

给定一个字符串,你需要反转字符串中每个单词的字符顺序,同时仍保留空格和单词的初始顺序。

示例 1:

输入: "Let's take LeetCode contest"
输出: "s'teL ekat edoCteeL tsetnoc" 
注意:在字符串中,每个单词由单个空格分隔,并且字符串中不会有任何额外的空格。

java代码的实现

class Solution {
    public String reverseWords(String s) {
        String result="";
        String[] word=s.split(" ");
        for(int i=0;i<word.length;i++){
            result+=reverseString(word[i]);
            if(i<word.length-1){
                result+=" ";
            }
        }
        return result;
    }


     public String reverseString(String s) {
        char[] charArray = s.toCharArray();
        for (int i = 0, j = charArray.length - 1; i < j; i++, j--) {
            char temp = charArray[i];
            charArray[i] = charArray[j];
            charArray[j] = temp;
        }
        return new String(charArray);
    }
}

猜你喜欢

转载自blog.csdn.net/sunyuhua_keyboard/article/details/80910741