编写一个程序,输入两个字符串 s1 和 s2 ,判断 s2 是否是 s1 的子串,如果是,则输出 s2 在 s1 中的起始位置。否则输出 0,用c语言
时间: 2024-02-25 19:54:46 浏览: 110
可以使用 C 语言中的字符串函数 strstr() 来实现字符串的子串查找功能。以下是一个示例程序:
```c
#include <stdio.h>
#include <string.h>
int main()
{
char s1[100], s2[100];
printf("请输入字符串 s1:");
scanf("%s", s1);
printf("请输入字符串 s2:");
scanf("%s", s2);
char* p = strstr(s1, s2); // 在 s1 中查找 s2 的位置
if (p == NULL) {
printf("0\n"); // s2 不是 s1 的子串
} else {
printf("%d\n", p - s1); // 输出 s2 在 s1 中的起始位置
}
return 0;
}
```
该程序先通过 scanf() 函数分别读入字符串 s1 和 s2,然后调用 strstr() 函数在 s1 中查找 s2 的位置。如果找到了,则输出 s2 在 s1 中的起始位置,即 p 指针减去 s1 的地址;否则输出 0。
相关问题
编写一个程序,输入两个字符串 s1 和 s2 ,判断 s2 是否是 s1 的子串,如果是,则输出 s2 在 s1 中的起始位置。否则输出 0
好的,我可以帮您写一个 Python 版本的程序,实现上述功能。代码如下:
```python
def find_substring(s1, s2):
if s2 in s1:
return s1.index(s2) + 1
else:
return 0
# 测试代码
s1 = "hello world"
s2 = "world"
print(find_substring(s1, s2)) # 输出 7
s1 = "hello world"
s2 = "python"
print(find_substring(s1, s2)) # 输出 0
```
以上代码中,`find_substring` 函数接受两个字符串参数 `s1` 和 `s2`,判断 `s2` 是否是 `s1` 的子串。如果是,返回 `s2` 在 `s1` 中的起始位置;否则返回 0。
在测试代码中,我们分别将 `s1` 设置为 "hello world",`s2` 设置为 "world" 和 "python",分别测试了程序的正确性。
用c语言编写一个程序,输入两个字符串 s1 和 s2 ,判断 s2 是否是 s1 的子串,如果是,则输出 s2 在 s1 中的起始位置。否则输出 0
好的,以下是 C 语言代码实现:
```c
#include <stdio.h>
#include <string.h>
int find_substring(char *s1, char *s2) {
/*
判断字符串 s2 是否是 s1 的子串,如果是,则返回 s2 在 s1 中的起始位置,否则返回 0
*/
char *pos = strstr(s1, s2);
if (pos != NULL) {
return pos - s1 + 1;
} else {
return 0;
}
}
int main() {
char s1[100], s2[100];
printf("请输入字符串 s1:");
scanf("%s", s1);
printf("请输入字符串 s2:");
scanf("%s", s2);
int position = find_substring(s1, s2);
if (position != 0) {
printf("%s 是 %s 的子串,起始位置为 %d\n", s2, s1, position);
} else {
printf("%s 不是 %s 的子串\n", s2, s1);
}
return 0;
}
```
使用示例:
```
请输入字符串 s1:hello, world!
请输入字符串 s2:world
world 是 hello, world! 的子串,起始位置为 8
```
希望能够帮助到你!
阅读全文