题目详情
Implement strStr().
Return the index of the first occurrence of needle in haystack, or -1 if needle is not part of haystack.题目要求我们实现strStr方法。就是在一个长字符串中是否包含我们所输入的子字符串。如果存在,返回子字符串的在长字符串的起始点的位置。如果不存在,则返回-1。
Example 1:
Input: haystack = "hello", needle = "ll"
Output: 2
Example 2:
Input: haystack = "aaaaa", needle = "bba"
Output: -1
想法
- 这道题还是比较简单的。就是遍历长字符串,并通过比较字符找到是否存在目标子字符串。
- 需要注意一下的就是对特殊情况的判断,以减少无谓的时间消耗。
- 可以一个字符一个字符进行比较,为了让代码更简洁,也可以用subString方法直接截取字符串进行比较。
解法
public int strStr(String haystack, String needle) {
int l1 = haystack.length(), l2 = needle.length();
if(l1 < l2)return -1;
if(l2 == 0)return 0;
for(int i=0;i<l1-l2+1;i++){
if (haystack.substring(i,i+l2).equals(needle)) {
return i;
}
}
return -1;
}
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。