我有以下功能:
int strpos(const char *needle, const char *haystack)
{
int neLen, haLen, foundPos, nePos, i;
char temp;
neLen = strlen(needle);
haLen = strlen(haystack);
if(haLen < neLen)
return -1;
nePos = 0;
foundPos = -1;
i = 0;
while((temp = *haystack++) != '\0'
&& (i < (haLen-neLen+1) || foundPos > -1)
&& nePos < neLen)
{
if(temp == *needle+nePos)
{
if(nePos == 0)
foundPos = i;
nePos++;
}
else
{
nePos = 0;
foundPos = -1;
}
i++;
}
return foundPos;
}
当我搜索单个字符时它可以正常工作:
printf("Strpos: %d\n", strpos("a", "laoo")); // Result: "Strpos: 1"
但它不适用于较长的字符串:
printf("Strpos: %d\n", strpos("ao", "laoo")); // Result: "Strpos: -1"
问题是什么?
额外的问题:循环是否while
正确分成多行?什么是公认的方式来做到这一点?
编辑:strlen()
自然是一个返回字符串长度的自定义函数。这工作正常。