c语言 给定5个字符串,输出其中最大的字符串
时间: 2023-08-18 13:09:57 浏览: 156
可以使用strcmp函数来比较字符串大小,具体代码如下:
```c
#include <stdio.h>
#include <string.h>
int main()
{
char str[5][50];
int i, max = 0;
printf("请输入5个字符串:\n");
for (i = 0; i < 5; i++)
{
gets(str[i]);
if (strlen(str[i]) > strlen(str[max]))
max = i;
}
printf("最大的字符串是:%s", str[max]);
return 0;
}
```
在这个程序中,我们定义了一个二维字符数组`str`,用于存储5个字符串。然后通过循环输入5个字符串,并使用`strlen`函数获取每个字符串的长度,与当前最大字符串的长度进行比较,如果更长则更新最大字符串的下标。最后输出最大的字符串。
相关问题
C语言给定一个字符串s 判断s中是否含有acm这个字符串 输入 给定一个字符串s 长度小于100 输出 若有acm这个子串,则输出“yes”,否则输出“no”
可以使用C语言中的strstr函数来判断字符串s中是否含有acm这个子串,代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s[100];
scanf("%s", s);
if (strstr(s, "acm") != NULL) {
printf("yes\n");
} else {
printf("no\n");
}
return 0;
}
```
这段代码中,我们首先定义了一个字符数组s,用于存储输入的字符串。然后使用scanf函数从标准输入中读取字符串s。接着使用strstr函数来查找字符串s中是否含有acm这个子串,如果找到了,则返回该子串在s中的指针,否则返回NULL。最后根据返回值判断是否含有acm子串,并输出相应的结果。
c语言给定一个字符串87654321987654321求该字符串中各个数的个数
在C语言中,你可以通过遍历字符串并检查每个字符来计算数字的个数。这里是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
int count_digits(char str[]) {
int count = 0;
for(int i = 0; str[i] != '\0'; i++) { // 遍历字符串直到结束
if(isdigit(str[i])) { // 检查字符是否为数字
count++; // 数字个数加一
}
}
return count;
}
int main() {
char input[] = "87654321987654321";
int digit_count = count_digits(input);
printf("字符串 \"%s\" 中数字的个数是: %d\n", input, digit_count);
return 0;
}
```
这个程序会输出 "字符串 \"87654321987654321\" 中数字的个数是: 14"。
阅读全文