将输入字符串中的小写字母转换为大写字母,而非小写字母保持 不变。输出转换后的字符串。c++
时间: 2024-10-19 16:15:56 浏览: 17
在C++中,你可以使用标准库函数`std::transform`和`std::toupper`来实现这个功能。下面是一个简单的示例:
```cpp
#include <iostream>
#include <algorithm>
#include <cctype>
// 函数模板用于将输入字符串中的小写字母转为大写
template<typename CharT>
std::basic_string<CharT> to_upper_case(const std::basic_string<CharT>& input) {
std::string result(input);
std::transform(result.begin(), result.end(), result.begin(), ::toupper); // 使用 toupper 函数和 begin-end 完成转换
return result;
}
int main() {
std::string str = "Hello, World!";
std::string upper_str = to_upper_case(str);
std::cout << "转换后的字符串: " << upper_str << std::endl;
return 0;
}
```
在这个例子中,`to_upper_case`函数接受一个字符串作为输入,然后创建一个新的字符串`result`,通过`std::transform`遍历原字符串并将每个字符转换为大写。最后返回处理后的字符串。
阅读全文