用C语言编写程序,读入一行字符(长度小于1000),将其中出现的小写字母替换为大写字母并输出。
时间: 2023-05-21 07:02:43 浏览: 205
以下是用C语言编写的程序,可以实现读入一行字符,将其中出现的小写字母替换为大写字母并输出:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[1000];
fgets(str, 1000, stdin);
for (int i = 0; str[i] != '\0'; i++) {
if (islower(str[i])) {
putchar(toupper(str[i]));
} else {
putchar(str[i]);
}
}
return 0;
}
```
这个程序使用了 `fgets` 函数来读入一行字符,然后使用 `islower` 函数判断每个字符是否为小写字母,如果是,则使用 `toupper` 函数将其转换为大写字母并输出,否则直接输出原字符。
相关问题
用c语言编写程序,读入一行字符(长度小于1000),将其中出现的小写字母替换为大写字母并输出。 【注意】输入输出各占一行;运行效果应如下所示(第1行为输入,第2行为输出),格式错误算结果错误。 Microsoft Edge is the only browser optimized for Windows. MICROSOFT EDGE IS THE ONLY BROWSER OPTIMIZED FOR WINDOWS.
以下是用C语言编写的程序,可以实现读入一行字符,将其中出现的小写字母替换为大写字母并输出:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[1001];
fgets(str, 1001, stdin);
for (int i = 0; str[i] != '\0'; i++) {
if (islower(str[i])) {
str[i] = toupper(str[i]);
}
}
printf("%s", str);
return 0;
}
```
输入:
```
Microsoft Edge is the only browser optimized for Windows.
```
输出:
```
MICROSOFT EDGE IS THE ONLY BROWSER OPTIMIZED FOR WINDOWS.
```
编写c语言程序,读入一行字符(长度小于1000),从中找出出现频率最高的字母(大小写算不同字母)出现的次数并输出。
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
int main()
{
char str[1000];
int count[26] = {0}; // 统计每个字母出现的次数,index 0~25 分别对应 A~Z
printf("请输入一行字符串:");
fgets(str, 1000, stdin); // 读入一行字符串
// 统计每个字母出现的次数
for (int i = 0; i < strlen(str); i++)
{
if (isalpha(str[i])) // 判断是否为字母
{
count[toupper(str[i]) - 'A']++; // 统计字母出现的次数,toupper将小写字母转换为大写字母
}
}
// 找出出现频率最高的字母
int max_count = 0;
char max_char = 'A';
for (int i = 0; i < 26; i++)
{
if (count[i] > max_count)
{
max_count = count[i];
max_char = 'A' + i; // 将 index 转换为对应的字母
}
}
printf("出现频率最高的字母为 %c,出现次数为 %d\n", max_char, max_count);
return 0;
}
```
说明:
- 使用 `fgets` 函数读入一行字符串,可以避免使用 `gets` 函数可能出现的越界问题。
- 使用一个长度为 26 的数组 `count` 统计每个字母出现的次数,其中 index 0~25 分别对应 A~Z。使用 `toupper` 函数将小写字母转换为大写字母,方便统计。
- 找出出现频率最高的字母时,遍历数组 `count`,记录出现次数最多的字母和次数,最后输出即可。
阅读全文