C语言strstr返回值
时间: 2024-08-02 08:01:17 浏览: 183
`strstr()`是C语言标准库函数,它用于在一个字符串中查找指定子串首次出现的位置。如果找到子串,则返回指向该子串的首字符的指针;如果没有找到,则返回`NULL`。这个函数常用于字符串操作,特别是当需要判断某个子串是否存在于另一个字符串中。
例如:
```c
char *str = "Hello, World!";
char *substr = "World";
char *result = strstr(str, substr);
if (result) {
printf("Substring found at position %ld\n", result - str); // 输出: Substring found at position 7
} else {
printf("Substring not found.\n");
}
```
在这里,`strstr(str, substr)`会返回`"World"`的第一个字符的地址(即`&str`),因为子串从索引0开始算,所以地址减去原始字符串的地址就是起始位置。
相关问题
c语言 strstr函数返回值
C语言是一种通用的高级编程语言,广泛应用于系统软件开发和嵌入式系统等领域。它具有简洁、高效、灵活等特点,被认为是一种较为底层的编程语言。
strstr函数是C语言中的一个字符串处理函数,用于在一个字符串中查找另一个字符串的第一次出现位置。它的函数原型如下:
```c
char *strstr(const char *haystack, const char *needle);
```
其中,haystack表示要进行查找的字符串,needle表示要查找的目标字符串。函数返回值是一个指向目标字符串在原字符串中第一次出现位置的指针,如果未找到目标字符串,则返回NULL。
下面是一个使用strstr函数的示例:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "Hello, world!";
char *result = strstr(str, "world");
if (result != NULL) {
printf("目标字符串在原字符串中的位置:%s\n", result);
} else {
printf("未找到目标字符串\n");
}
return 0;
}
```
以上代码中,我们在字符串"Hello, world!"中查找子字符串"world",并输出结果。如果找到了目标字符串,则输出目标字符串在原字符串中的位置;如果未找到目标字符串,则输出未找到的提示信息。
c语言strstr 实现
C语言中的`strstr`函数用于在一个字符串中查找另一个字符串的出现位置。下面是一个简单的实现:
```c
#include <stdio.h>
#include <string.h>
char* my_strstr(const char* haystack, const char* needle) {
int len_haystack = strlen(haystack);
int len_needle = strlen(needle);
if (len_needle > len_haystack) {
return NULL;
}
for (int i = 0; i <= len_haystack - len_needle; i++) {
int j;
for (j = 0; j < len_needle; j++) {
if (haystack[i+j] != needle[j]) {
break;
}
}
if (j == len_needle) {
return (char*) &haystack[i];
}
}
return NULL;
}
int main() {
char haystack[] = "Hello, world!";
char needle[] = "world";
char* result = my_strstr(haystack, needle);
if (result != NULL) {
printf("'%s' found at position %ld\n", needle, result - haystack);
} else {
printf("'%s' not found\n", needle);
}
return 0;
}
```
这段代码中,`my_strstr`函数接收两个参数,分别是要查找的字符串`haystack`和待查找的字符串`needle`。函数首先计算`haystack`和`needle`的长度,如果`needle`的长度大于`haystack`的长度,则直接返回`NULL`。接着使用两重循环遍历`haystack`,在第一重循环中,遍历的结束条件为`i <= len_haystack - len_needle`,这是因为如果`haystack`的剩余长度小于`needle`的长度,就不用再进行查找了。在第二重循环中,遍历`needle`中的每一个字符,如果有任意一个字符不相等,则退出循环,否则继续比较下一个字符。如果在循环内部没有退出,则说明`needle`完全匹配了`haystack`的一段子串,返回该子串的起始位置即可。如果整个函数执行完毕还没有返回,则说明`needle`在`haystack`中不存在,返回`NULL`。最后在`main`函数中,调用`my_strstr`函数,并根据返回值输出结果。
阅读全文