[Easy] 58. Length of Last Word

문제

Given a string s consisting of words and 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를 trim 메서드를 이용하여 불필요한 빈 공간을 제거하고 " "을 기준으로 나누어 배열을 생성한다. 이때 만들어진 배열의 마지막 값을 pop 해서 가져온 다음 길이를 반환한다.

 

풀이 코드

/**
 * @param {string} s
 * @return {number}
 */
var lengthOfLastWord = function(s) {
    return s.trim().split(" ").pop().length;
};

'leetCode' 카테고리의 다른 글

[Easy] 1886. Determine Whether Matrix Can Be Obtained By Rotation  (0) 2022.06.30
[Medium] Rotate Image  (0) 2022.06.30
[Medium] 739. Daily Temperatures  (0) 2022.06.17
[Easy] 67. Add Binary  (0) 2022.06.15
[Easy] 989. Add to Array-Form of Integer  (2) 2022.06.15