用c++,给定一个大写字母转化为小写并输出,用c++
时间: 2023-04-06 21:02:55 浏览: 151
可以使用C语言中的tolower()函数将大写字母转化为小写字母,代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char c = 'A';
char lower_c = tolower(c);
printf("%c\n", lower_c);
return 0;
}
```
输出结果为:
```
a
```
相关问题
用c++写给定一个长度不超过 的句子,该句子由大小写字母组成,单词之间用一个空格隔开。 请编写一个程序,将该句子中的所有大写字母转换为小写字母,并输出转换后的句子。
#include <stdio.h>
#include <string.h>
#define MAX_LEN 1000
int main() {
char sentence[MAX_LEN];
fgets(sentence, MAX_LEN, stdin); // 读入一行字符串
int len = strlen(sentence);
for (int i = 0; i < len; i++) {
if (sentence[i] >= 'A' && sentence[i] <= 'Z') { // 如果是大写字母
sentence[i] += 'a' - 'A'; // 转换为小写字母
}
}
printf("%s", sentence); // 输出转换后的字符串
return 0;
}
编写一个函数实现如下功能:给定一行字符(不超过80个字符),将其中的小写字母转化成大写字母,大写字母转化成小写字母,并忽略其他字符,然后在主函数中调用此函数并输出结果。
好的,以下是实现该功能的 C++ 代码:
```cpp
#include <iostream>
#include <cstring>
using namespace std;
void switchCharCase(char* str) {
int len = strlen(str);
for (int i = 0; i < len; i++) {
if (str[i] >= 'a' && str[i] <= 'z') {
str[i] -= 'a' - 'A'; // 小写字母转大写字母
} else if (str[i] >= 'A' && str[i] <= 'Z') {
str[i] += 'a' - 'A'; // 大写字母转小写字母
}
}
}
int main() {
char str[81];
cout << "请输入一行字符: ";
cin.getline(str, 81);
switchCharCase(str);
cout << "转换后的结果为: " << str << endl;
return 0;
}
```
该函数的思路是遍历字符串中的每个字符,如果是小写字母则转换成大写字母,如果是大写字母则转换成小写字母,其他字符则忽略不处理。在主函数中调用该函数并输出结果。
注意:该函数假设输入的字符串中只包含 ASCII 码中的字母和其他字符,如果有其他字符集可能需要做出相应的修改。
阅读全文