-1

我有两个结构数组和一个嵌套的 for 循环。两个数组中有相同的单词,但 strcasestr 没有检测到它们。我使用 strcasestr 还可以在相同的单词中查找子字符串。

这是我的代码片段:

for(int itr = 0; itr < arrayItr; itr++)
{
    for(int itr2 = 0; itr2 < arrayItr2; itr2++)
    {
        if(strcasestr(termsArraypast[itr].term, termsArrayTerms[itr2].term) > 0)
        {
            printf("%d %d %s\n", termsArraypast[itr].charDistance, termsArraypast[itr].termDistance, termsArraypast[itr].term);
        }
    }
}

请注意,所有这些变量都已在我的程序中声明。我刚刚在这部分工作了几个小时,无法弄清楚。谢谢。

4

1 回答 1

0

char *strcasestr(const char *haystack, const char *needle);

如果未找到该字符串,则返回指向子字符串开头的指针或 null

因此它将返回一个指针值,而不是可能超出整数范围的整数。

您正在将其与大于 0 进行比较。那是错误的,您可以只检查不为零。

例如:程序

 #include <stdlib.h>
 #include <stdio.h>
 #include <string.h>

  int main()
  {
char arr1[10];
char arr2[10];
int ret;
strcpy(arr1,"foobar");
strcpy(arr2,"foobar");
printf("arr1 %s\n",arr1);
printf("arr2 %s\n",arr2);

ret= strcasestr(arr1,arr2) ;

printf("ret %d ret %p \n",ret,ret);
if(strcasestr(arr1,arr2) >0)
{
    printf("sub found\n");
}
    if(strcasestr(arr1,arr2) != 0)
     printf("substring found for not null check \n" );      
 }

o/p

arr1 foobar
arr2 foobar
ret -1073787886 ret 0xbfff4c12 
substring found for not null check 
于 2013-11-05T06:48:11.747 回答