A sentence is a list of words that are separated by a single space with no leading or trailing spaces.
You are given an array of strings sentences, where each sentences[i] represents a single sentence.
Return the maximum number of words that appear in a single sentence.
Example 1:
Input: sentences = ["alice and bob love leetcode", "i think so too", "this is great thanks very much"]
Output: 6
Explanation:
- The first sentence, "alice and bob love leetcode", has 5 words in total.
- The second sentence, "i think so too", has 4 words in total.
- The third sentence, "this is great thanks very much", has 6 words in total.
Thus, the maximum number of words in a single sentence comes from the third sentence, which has 6 words.
Example 2:
Input: sentences = ["please wait", "continue to fight", "continue to win"]
Output: 3
Explanation: It is possible that multiple sentences contain the same number of words.
In this example, the second and third sentences (underlined) have the same number of words.
Constraints:
- 1 <= sentences.length <= 100
- 1 <= sentences[i].length <= 100
- sentences[i] consists only of lowercase English letters and ' ' only.
- sentences[i] does not have leading or trailing spaces.
- All the words in sentences[i] are separated by a single space.
나의 풀이
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
/**
* @param {string[]} sentences
* @return {number}
*/
var mostWordsFound = function(sentences) {
const answer = []
const newArr = sentences.map((strs)=>{
return strs.split(' ')
})
for(let i=0; i<newArr.length; i++){
answer.push(newArr[i].length)
}
return Math.max(...answer)
};
|
cs |
문제를 풀며 느낀 점
- 이 문제는 sentences 배열에 담긴 문자열들 중에 split(' ')을 했을 때 가장 긴 길이를 가진 문장의 길이를 return 하는 문제였습니다.
'코딩 테스트 풀이 🛠' 카테고리의 다른 글
[프로그래머스] 합성수 찾기 (0) | 2023.02.06 |
---|---|
[Leet Code - eazy] 2160. Minimum Sum of Four Digit Number After Splitting Digits (0) | 2023.01.30 |
[Leet Code - eazy] 2413. Smallest Even Multiple (0) | 2023.01.29 |
[Leet Code - eazy] 1672. Richest Customer Wealth (0) | 2023.01.28 |
[Leet Code - eazy] 771. Jewels and Stones (0) | 2023.01.28 |