输入大写字母转换为小写字母
时间: 2023-04-10 17:02:55 浏览: 94
可以使用 C 语言中的库函数 tolower() 来实现将大写字母转换为小写字母的功能。例如:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char c = 'A';
printf("%c\n", tolower(c)); // 输出小写字母 a
return 0;
}
```
当输入大写字母时,该程序会输出对应的小写字母。
相关问题
c语言实现编程实现将输入的字符串中的大写字母转换为小写字母,小写字母转换为大写字母
可以使用C语言中的字符处理函数`ctype.h`库中的`toupper`和`tolower`函数来实现大写字母转小写字母,小写字母转大写字母的操作。具体实现代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
printf("请输入一个字符串:");
gets(str); // 输入字符串
int i = 0;
while (str[i]) { // 遍历字符串中的每一个字符
if (isupper(str[i])) // 如果是大写字母
str[i] = tolower(str[i]); // 转换为小写字母
else if (islower(str[i])) // 如果是小写字母
str[i] = toupper(str[i]); // 转换为大写字母
i++; // 移动到下一个字符
}
printf("转换后的字符串为:%s\n", str);
return 0;
}
```
其中,`isupper`函数用于判断字符是否为大写字母,返回值为非零值表示是大写字母,否则为小写字母;`tolower`函数用于将大写字母转换为小写字母;`islower`函数用于判断字符是否为小写字母,返回值为非零值表示是小写字母,否则为大写字母;`toupper`函数用于将小写字母转换为大写字母。
用c++ 输入大写字母转换成小写字母输出
您可以使用标准库中的 `tolower` 函数来将大写字母转换为小写字母。下面是一个简单的示例代码:
```c++
#include <iostream>
#include <ctype.h>
int main() {
char c;
std::cout << "Please enter a capital letter: ";
std::cin >> c;
std::cout << "The lowercase letter is: " << (char)tolower(c) << std::endl;
return 0;
}
```
在这个示例中,我们首先使用 `std::cin` 输入一个字符,然后使用 `tolower` 函数将其转换为小写字母并输出到控制台。请注意,我们需要将函数的返回值强制转换为 `char` 类型,因为 `tolower` 返回一个整数类型。
阅读全文