C语言不太会,求指点!
以下是我写的程序;运行不出来,希望得到您的指点
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
char *locatesubstr(char *str1,char*str2);
main()
{
char str1[500],str2[500];
char *p;
printf("Please input one string:");
gets(str1);
printf("Please input another string:");
gets(str2);
printf("The result is:\n");
*p=*locatesubstr(str1,str2);
if(p!=NULL)
{
while(*str1!='\0')
{
printf("%c",*p++);
}
}
else
{
printf("NULL");
}
system("pause");
}
char *locatesubstr(char *str1,char*str2)
{
int k=0;
while(*str1!='\0')
{
if(*str1==*str2)
{
k=1;
return(str1);
}
str1++;
}
if(k==0)
return(NULL);
} 展开
我为你增加了一个函数 mystr,与你想要的意思基本相符。
下面这个是测试图,比如输入 hello, 如果查找 l开头的,则会找到 llo (符合你的要求)
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
char *locatesubstr(char *str1,char*str2);
char *mystr(const char *s1, const char *s2);
main()
{
char str1[500],str2[500];
char *p;
printf("Please input one string:");
gets(str1);
printf("Please input another string:");
gets(str2);
printf("The result is:\n");
p=mystr(str1,str2);
puts(p);
system("pause");
}
char *mystr(const char *s1, const char *s2)
{
int n;
if (*s2) {
while (*s1) {
for(n = 0; *(s1 + n) == *(s2 + n); n ++) {
if(!*(s2 + n + 1))
return (char *)s1;
}
s1 ++;
}
return NULL;
} else {
return (char *)s1;
}
}
char *locatesubstr(char *str1,char*str2)
{
int k=0;
while(*str1!='\0')
{
if(*str1==*str2)
{
k=1;
return(str1);
}
str1++;
}
if(k==0)
return(NULL);
}
① *p=*locatesubstr(str1,str2); 这个导致你无法正常编译。 应该改为:
p=locatesubstr(str1,str2);
p是指针,定义的时候*p,但用的时候,如果按指针用,就是p,而*p,这取的是p所指的内容;locatesubstr是函数,定义的时候,前面有返回类型char *, 但调用的时候,前面不加*. --这是你基本概念方面的误解;
② 修正了①的错误, 可以编译,可以运行了,但停不下来,很快就出错(溢出了)。原因: while(*str1!='\0')这句,永远满足条件,所以不会结束。 *str1就是str1[0],也即是你输入的第1个字符串的首字符, 比如输入:abc123,那么*str1 == 'a'; 所以你的条件永远满足,p++就越界了。
③ 修正②,其实应该查看的是str2,而且应该引入新变量i,
int i = 0;
...
if(p!=NULL)
{
while(str2[i]!='\0')
{
printf("%c",*p++);
i++;
}
}
else
{
printf("NULL");
}
...
这样结果就正确了。
④ 更好的方法, C的标准库里面有strstr,就是作这个的,如果自己要实现,那么:
int my_strstr(const char *s1, const char *s2)
{
int retcode = -1;
int pos = 0;
size_t n;
if (s1 == NULL)
return -2;
if (s2 == NULL)
return -3;
n = strlen(s2);
printf("n=%d\n", n);
while(*s1)
if(!memcmp(s1++,s2,n))
{
retcode = pos;
break;
}
else
pos++;
return retcode;
}
返回的是pos的int值, 如果要返回指针,也可以,你看明白了,可以自己修改一下。
http://blog.csdn.net/WINCOL/article/details/4795369