c语言编写一个程序,使用循环结构将用户输入的一段字符串进行反转,并输出 反转后的字符串
时间: 2024-10-18 11:23:10 浏览: 16
使用C语言递归与非递归实现字符串反转函数char *reverse(char *str)的方法
在C语言中,你可以通过使用for循环或者while循环来实现字符串反转的功能。下面是一个简单的例子,它使用了for循环:
```c
#include <stdio.h>
#include <string.h>
// 函数定义用于字符串反转
void reverse(char *str) {
int length = strlen(str);
char temp;
// 使用倒序索引遍历字符串并交换字符
for (int i = 0; i < length / 2; i++) {
temp = str[i];
str[i] = str[length - 1 - i]; // 交换字符位置
str[length - 1 - i] = temp;
}
}
int main() {
char input[100];
printf("请输入一段字符串: ");
fgets(input, sizeof(input), stdin); // 防止换行符影响
// 移除fgets末尾的换行符
if (input[strlen(input) - 1] == '\n') {
input[strlen(input) - 1] = '\0';
}
reverse(input);
printf("反转后的字符串是: %s\n", input);
return 0;
}
```
当你运行这个程序,它会提示你输入一段字符串,然后显示反转后的字符串。
阅读全文