c++大小写字母转换函数
时间: 2024-09-15 17:00:36 浏览: 175
在 C++ 中,你可以使用标准库中的 `std::tolower` 和 `std::toupper` 函数来进行大小写字母的转换。这两个函数分别属于 `<cctype>` 头文件,它们接受一个字符作为参数,并返回相应的小写或大写版本。
```cpp
#include <cctype> // 引入头文件
// 将字符转为小写
char toLowerCase(char c) {
return std::tolower(c);
}
// 将字符转为大写
char toUpperCase(char c) {
return std::toupper(c);
}
```
如果你需要对字符串进行转换,可以遍历每个字符并应用上述函数:
```cpp
#include <string>
std::string toLower(const std::string& str) {
std::string result;
for (char c : str) {
result += toLowerCase(c);
}
return result;
}
std::string toUpper(const std::string& str) {
std::string result;
for (char c : str) {
result += toUpperCase(c);
}
return result;
}
```
相关问题
c++大小写字母转换
在C++中,可以使用标准库中的`<cctype>`头文件提供的函数来进行大小写字母的转换。具体的函数有:
- `int tolower(int c)`:将大写字母转换为小写字母。
- `int toupper(int c)`:将小写字母转换为大写字母。
这两个函数的参数`c`是一个整数,它的值应该是一个ASCII码。如果参数`c`不是一个大小写字母,则这两个函数不会对其进行转换,直接返回原值。
下面是一个示例代码,演示了如何使用`<cctype>`头文件中的函数进行大小写字母的转换:
```c++
#include <iostream>
#include <cctype>
int main() {
char c = 'A';
std::cout << "Before conversion: " << c << std::endl;
// 转换为小写字母
c = tolower(c);
std::cout << "After tolower(): " << c << std::endl;
// 转换为大写字母
c = toupper(c);
std::cout << "After toupper(): " << c << std::endl;
return 0;
}
```
输出结果为:
```
Before conversion: A
After tolower(): a
After toupper(): A
```
希望这可以帮助你!
c++大小写字母转换代码
以下是一个简单的C++大小写字母转换代码示例:
```c++
#include <iostream>
#include <string>
#include <algorithm>
using namespace std;
int main() {
string str = "Hello World";
transform(str.begin(), str.end(), str.begin(), ::tolower); // 将字符串中的大写字母转换为小写字母
cout << str << endl; // 输出 hello world
transform(str.begin(), str.end(), str.begin(), ::toupper); // 将字符串中的小写字母转换为大写字母
cout << str << endl; // 输出 HELLO WORLD
return 0;
}
```
这个示例使用了 `transform` 函数,它可以将一个序列中的每个元素应用一个函数,并将结果存储到另一个序列中。在这个示例中,我们将 `str` 字符串中的每个字符应用 `::tolower` 或 `::toupper` 函数,从而实现大小写字母的转换。
阅读全文