用C语言写输入一个字符串
时间: 2024-11-06 13:23:35 浏览: 1
在C语言中,你可以使用标准库函数`scanf()`或`gets()`来从用户那里获取输入的字符串。这里是一个简单的例子,展示了如何使用`scanf()`函数:
```c
#include <stdio.h>
#include <string.h> // 需要包含这个头文件才能使用strlen()
int main() {
char input[50]; // 定义一个足够大的字符数组来存储字符串
printf("请输入一个字符串:");
scanf("%s", input); // %s用于匹配任意空白字符后的字符串
// 检查是否已读取完整字符串,避免缓冲区溢出
int len = strlen(input);
if (len == 0 || input[len - 1] == '\n') {
printf("输入不能为空。\n");
} else {
printf("你输入的字符串是:%s\n", input);
}
return 0;
}
```
在这个程序中,`scanf()`会等待用户输入,并将输入的字符串存储到`input`数组中。记得检查字符串的结束条件,因为`scanf()`会在遇到空格、换行符或者达到指定长度时停止。
阅读全文