2185. Counting Words With a Given Prefix #
题目 #
- 给你一个字符串数组
words
和一个字符串pref
。 - 返回
words
中以pref
作为 前缀 的字符串的数目。 - 字符串
s
的 前缀 就是s
的任一前导连续字符串。
思路 #
模拟 #
代码 #
模拟 #
class Solution {
public int preficCount(String[] words, String pref) {
int ans = 0;
for (String word: words) {
if (word.length() >= pref.length() && word.substring(0, pref.length()).equals(pref)) ans++;
}
return ans;
}
}