ゼロから始めるLeetCode Day16「58. Length of Last Word」
概要
海外ではエンジニアの面接においてコーディングテストというものが行われるらしく、多くの場合、特定の関数やクラスをお題に沿って実装するという物がメインでだそうです。
その対策としてLeetCodeなるサイトで対策を行うようです。
※LeetCodeとは
本場でも行われているようなコーディングテストに耐えうるようなアルゴリズム力を鍛えるサイトです。
せっかくだし人並みのアルゴリズム力くらいは持っておいた方がいいだろうということで不定期に問題を解いてその時に考えたやり方をメモ的に書いていきます。
問題
単語と空白からなる文字列s
が与えられたときに、その文字列の最後の単語の長さを返す問題。
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 <=10^4
s consists of only English letters and spaces ' '.
There will be at least one word in s.
解法
class Solution:
def lengthOfLastWord(self, s: str) -> int:
words = s.split()
return len(words[-1])
words = s.split()
与えられた文字列「s」をスペースを区切り文字として分割し、個々の単語のリストを作成する。
return len(words[-1])
作成した単語のリストから最後の要素を取り出し、len関数で長さを計算し返す。
Discussion