给你一个字符串 s
,由若干单词组成,单词前后用一些空格字符隔开。返回字符串中最后一个单词的长度。
单词 是指仅由字母组成、不包含任何空格字符的最大子字符串。
示例 1:
输入:s = "Hello World" 输出:5
示例 2:
输入:s = " fly me to the moon " 输出:4
示例 3:
输入:s = "luffy is still joyboy" 输出:6
提示:
1 <= s.length <= 104
s
仅有英文字母和空格' '
组成s
中至少存在一个单词
Related Topics
9月21日每日一题
在业务中的写法
public int lengthOfLastWord(String s) {
String[] arr = s.split(" ");
return arr[arr.length-1].length();
}
做算法题目的时候的写法
public int lengthOfLastWord(String s) {
int idx = s.length()-1;
int count = 0;
while (idx >= 0 && s.charAt(idx) == ' '){
idx--;
}
while (idx >= 0 && s.charAt(idx) != ' '){
count++;
idx--;
}
return count;
}
发表评论