C语言中从键盘输入一行字符串,将其中的小写字母全部转换成大写字母,大写字母转为小写字母,其它字符不变,输出到磁盘文件 out.txt 中保存。输入的字符串以回车键结束。 (1)假设文件out.txt就在当前目录下,不需要加任何路径。 示例: 键盘输入:heLLO,How Are You? [out.txt]文件中内容为: HEllo,hOW aRE yOU?
时间: 2024-02-17 22:05:01 浏览: 62
好的,下面是C语言程序的答案:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
FILE *fp = fopen("out.txt", "w");
char c = getchar();
while (c != '\n') {
if (islower(c)) {
c = toupper(c);
} else if (isupper(c)) {
c = tolower(c);
}
fprintf(fp, "%c", c);
c = getchar();
}
fclose(fp);
return 0;
}
```
其中,我们使用getchar从键盘逐个读入字符c,根据题目要求,我们将小写字母全部转换成大写字母,大写字母转为小写字母,其它字符不变,然后将转换后的字符输出到out.txt文件中。最后记得关闭文件指针。
相关问题
写一个c语言程序从键盘输入一个字符串,将小写字母全部转换成大写字母 K 一个磁盘文件test”中保存。输入的字符串 以!结束。
好的,下面是符合您要求的 C 语言程序:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
FILE *fp;
char str[100];
int i;
// 从键盘输入字符串
printf("请输入一个字符串(以 ! 结束):\n");
scanf("%[^!]", str);
// 将小写字母转换成大写字母
for (i = 0; str[i] != '\0'; i++) {
if (islower(str[i])) {
str[i] = toupper(str[i]);
}
}
// 将字符串写入磁盘文件
fp = fopen("test", "w");
if (fp == NULL) {
printf("无法打开文件!\n");
return 1;
}
fprintf(fp, "%s", str);
fclose(fp);
printf("已将字符串写入文件 test 中!\n");
return 0;
}
```
该程序使用 `scanf` 函数从键盘输入字符串,然后使用 `islower` 和 `toupper` 函数将小写字母转换成大写字母。最后使用 `fprintf` 函数将字符串写入磁盘文件。请注意,在写入文件时,需要先打开文件,写入完成后再关闭文件。
实现将一用C语言编程输入一个字符串将其中小写字母全部转换为大写字母。
以下是一个简单的 C 语言程序,可以将输入的字符串中的小写字母转换为大写字母:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i;
printf("Enter a string: ");
gets(str);
i = 0;
while (str[i]) {
if (islower(str[i])) {
str[i] = toupper(str[i]);
}
i++;
}
printf("String in uppercase: %s", str);
return 0;
}
```
该程序首先使用 `gets()` 函数从用户输入中读取一个字符串,并使用 `islower()` 函数检查每个字符是否为小写字母。如果是,就使用 `toupper()` 函数将其转换为大写字母。最后,程序输出转换后的字符串。需要注意的是,`gets()` 函数不安全,建议使用更安全的 `fgets()` 函数代替。
阅读全文