LeetCode#28 | Implement strStr() 实现strStr()
Posted 呦呦鹿鸣
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode#28 | Implement strStr() 实现strStr()相关的知识,希望对你有一定的参考价值。
一、题目
给定一个 haystack 字符串和一个 needle 字符串,在 haystack 字符串中找出 needle 字符串出现的第一个位置 (从0开始)。如果不存在,则返回 -1。
Example 1:
Input: haystack = "hello", needle = "ll"
Output: 2Example 2:
Input: haystack = "aaaaa", needle = "bba"
Output: -1
php 也有 strstr()
函数,但该函数返回的是从 needle 第一次出现的位置开始到 haystack 结尾的字符串,如果想实现题目中查找 needle 第一次出现的位置,可以用 strpos()
函数。
言归正传。
二、题解
- 思路1
遍历 haystack,查询 needle 第一个元素在 haystack 第一次出现的位置;
截取 haystack 对应长度的字符串,和 needle 进行比较;
如果一样就输出,不一样则继续循环。
function strStr($haystack, $needle) {
$len = strlen($haystack);
$nLen = strlen($needle);
if ($nLen == 0) {
return 0;
}
if ($len <= 0 || $nLen > $len) {
return -1;
}
for ($i = 0; $i < $len; $i++) {
if ($haystack[$i] == $needle[0]) {
$str = substr($haystack, $i, $nLen);
if ($str == $needle) {
return $i;
}
}
}
return -1;
}
- 思路2:双指针法
function strStr($haystack, $needle) {
$len = strlen($haystack);
$nLen = strlen($needle);
if ($nLen == 0) {
return 0;
}
if ($len <= 0 || $nLen > $len) {
return -1;
}
for ($i = 0; $i < $len; $i++) {
$j = 0;
while ($haystack[$i + $j] == $needle[$j] && $j < $nLen) {
$j++;
}
if ($j == $nLen) {
return $i;
}
}
return -1;
}
看题解,还有个KMP法,有点烧脑子,先略过去,回头补功课??
以上是关于LeetCode#28 | Implement strStr() 实现strStr()的主要内容,如果未能解决你的问题,请参考以下文章
Leetcode---28. Implement strStr()
44. leetcode 28. Implement strStr()
leetcode 28. Implement strStr()
LeetCode OJ 28Implement strStr()