加载中...
58-最后一个单词的长度(Length of Last Word)
发表于:2021-12-03 | 分类: 简单
字数统计: 705 | 阅读时长: 3分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/length-of-last-word

英文原文

Given a string s consisting of some words separated by some number of spaces, return the length of the last word in the string.

A word is a maximal substring consisting of non-space characters only.

 

Example 1:

Input: s = "Hello World"
Output: 5
Explanation: The last word is "World" with length 5.

Example 2:

Input: s = "   fly me   to   the moon  "
Output: 4
Explanation: The last word is "moon" with length 4.

Example 3:

Input: s = "luffy is still joyboy"
Output: 6
Explanation: The last word is "joyboy" with length 6.

 

Constraints:

  • 1 <= s.length <= 104
  • s consists of only English letters and spaces ' '.
  • There will be at least one word in s.

中文题目

给你一个字符串 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 中至少存在一个单词

通过代码

高赞题解

思路

  • 标签:字符串遍历
  • 从字符串末尾开始向前遍历,其中主要有两种情况
  • 第一种情况,以字符串"Hello World"为例,从后向前遍历直到遍历到头或者遇到空格为止,即为最后一个单词"World"的长度5
  • 第二种情况,以字符串"Hello World "为例,需要先将末尾的空格过滤掉,再进行第一种情况的操作,即认为最后一个单词为"World",长度为5
  • 所以完整过程为先从后过滤掉空格找到单词尾部,再从尾部向前遍历,找到单词头部,最后两者相减,即为单词的长度
  • 时间复杂度:O(n),n为结尾空格和结尾单词总体长度

代码

[]
class Solution { public int lengthOfLastWord(String s) { int end = s.length() - 1; while(end >= 0 && s.charAt(end) == ' ') end--; if(end < 0) return 0; int start = end; while(start >= 0 && s.charAt(start) != ' ') start--; return end - start; } }
[]
/** * @param {string} s * @return {number} */ var lengthOfLastWord = function(s) { let end = s.length - 1; while(end >= 0 && s[end] == ' ') end--; if(end < 0) return 0; let start = end; while(start >= 0 && s[start] != ' ') start--; return end - start; };

画解

<frame_00001.png,frame_00002.png,frame_00003.png,frame_00004.png,frame_00005.png,frame_00006.png,frame_00007.png>

想看大鹏画解更多高频面试题,欢迎阅读大鹏的 LeetBook:《画解剑指 Offer 》,O(∩_∩)O

统计信息

通过次数 提交次数 AC比率
266053 695240 38.3%

提交历史

提交时间 提交结果 执行时间 内存消耗 语言
上一篇:
57-插入区间(Insert Interval)
下一篇:
59-螺旋矩阵 II(Spiral Matrix II)
本文目录
本文目录