我想知道C++中的strchr
函数。
例如:
realm=strchr(name,'@');
这句话是什么意思?
最佳答案
从here开始。
返回指向C字符串str中第一个字符的指针。
终止的空字符被视为C字符串的一部分。因此,还可以定位它来检索指向字符串结尾的指针。
/* strchr example */
#include <stdio.h>
#include <string.h>
int main ()
{
char str[] = "This is a sample string";
char * pch;
printf ("Looking for the 's' character in \"%s\"...\n",str);
pch=strchr(str,'s');
while (pch!=NULL)
{
printf ("found at %d\n",pch-str+1);
pch=strchr(pch+1,'s');
}
return 0;
}
将产生产出
Looking for the 's' character in "This is a sample string"...
found at 4
found at 7
found at 11
found at 18
关于c - 需要了解c++ strchr函数及其工作原理,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9174914/