string类中字符的大小写转换

今天做一道题,要用string类,涉及大小写转换,查看了C++文档,string类没有提供这样的方法,只好自己写。
之后是想到一个比较笨的方法,我把string当成一个容器,然后用迭代器一个一个来替换。

比如下面的是大写转小写:

string temp;
string::iterator it;
for (it = temp.begin(); it != temp.end(); it++)
        if ((*it) < 'a')
            *it = *it + 32;

测试一下代码:

#include<iostream>
#include<string>
using namespace std;
int main(void)
{
    string temp;
    string::iterator it;
    cin >> temp;
    for (it = temp.begin(); it != temp.end(); it++) //大写转小写
        if ((*it) < 'a')
            *it = *it + 32;
    cout  <<"转换成小写之后" <<temp << endl;
    for (it = temp.begin(); it != temp.end(); it++) //小写转大写
        if ((*it) > 'Z')
            *it = *it - 32;
    cout  <<"转换成大写之后" <<temp << endl;
    return 0;
}

测试输入
AsdFghJkL

测试输出
转换成小写之后asdfghjkl
转换成大写之后ASDFGHJKL

测试图片:
string类中字符的大小写转换

 

但是后面我发现其他大佬有更简单的做法,使用模板函数transform可以轻松解决这个问题,我们只需要提供一个函数对象,例如将char转成大写的toupper函数或者小写的函数tolower函数。

transform原型:

template <class InputIterator, class OutputIterator, class UnaryOperator>
  OutputIterator transform (InputIterator first1, InputIterator last1,
                            OutputIterator result, UnaryOperator op)
{
  while (first1 != last1) {
    *result = op(*first1);  // or: *result=binary_op(*first1,*first2++);
    ++result; ++first1;
  }
  return result;
}

以上的原型来自文档
C++官方文档

所以对于这个大小写转换只要这么写就行:

transform(temp.begin(),temp.end(),temp.begin(),::tolower); //转小写
transform(temp.begin(),temp.end(),temp.begin(),::toupper); //转大写

更改代码

#include<algorithm>
#include<iostream>
#include<string>
using namespace std;
int main(void)
{
    string temp;
    cin >> temp;
    transform(temp.begin(),temp.end(),temp.begin(),::tolower); //转小写
    cout  <<"转换成小写之后" <<temp << endl;
    transform(temp.begin(),temp.end(),temp.begin(),::toupper); //转大写
    cout  <<"转换成大写之后" <<temp << endl;
    return 0;
}

结果一样:
这里写图片描述

 

原文链接: https://www.cnblogs.com/FlyerBird/p/9052555.html

欢迎关注

微信关注下方公众号,第一时间获取干货硬货;公众号内回复【pdf】免费获取数百本计算机经典书籍

    string类中字符的大小写转换

原创文章受到原创版权保护。转载请注明出处:https://www.ccppcoding.com/archives/260994

非原创文章文中已经注明原地址,如有侵权,联系删除

关注公众号【高性能架构探索】,第一时间获取最新文章

转载文章受原作者版权保护。转载请注明原作者出处!

(0)
上一篇 2023年2月14日 下午2:03
下一篇 2023年2月14日 下午2:05

相关推荐