C++中常用的大小写转换(4种常用方法)
时间:2024-04-07 11:40:22 来源:网络cs 作者:亙句 栏目:选词工具 阅读:
1、如果使用string类,可以使用#include <algorithm>里的如下方法进行大小写转换;
transform(str.begin(),str.end(),str.begin(),::tolower);
记得::tolower前面有::, 而且是::tolower,不是::tolower()
#include <iostream>#include <algorithm> using namespace std;string s;int main() { cout<<"请输入一个含大写的字符串:"; string str; cin>>str; ///转小写 transform(str.begin(),str.end(),str.begin(),::tolower); cout<<"转化为小写后为:"<<str<<endl; transform(str.begin(),str.end(),str.begin(),::toupper); cout<<"转化为大写后为:"<<str<<endl; return 0;}
2、string类也可以自己手写两个转化为大写和小写transform()方法,如下所示:
#include <iostream>#include <algorithm>#include <cstring>using namespace std;void mytolower(string& s){ int len=s.size(); for(int i=0;i<len;i++){ if(s[i]>='A'&&s[i]<='Z'){ s[i]+=32;//+32转换为小写 //s[i]=s[i]-'A'+'a'; } }}void mytoupper(string& s){ int len=s.size(); for(int i=0;i<len;i++){ if(s[i]>='a'&&s[i]<='z'){ s[i]-=32;//+32转换为小写 //s[i]=s[i]-'a'+'A'; } }} int main() { cout<<"请输入一个含大写的字符串:"; string str; cin>>str; ///转小写 mytolower(str); cout<<"转化为小写后为:"<<str<<endl; mytoupper(str); cout<<"转化为大写后为:"<<str<<endl; return 0;}
3、如果用char数组,也可以自己手写两个转化为大写和小写方法,
此种方法用到了tolower(char c)和toupper(char c)两个方法:
#include <iostream>#include <algorithm>#include <cstring>using namespace std;void mytolower(char *s){ int len=strlen(s); for(int i=0;i<len;i++){ if(s[i]>='A'&&s[i]<='Z'){ s[i]=tolower(s[i]); //s[i]+=32;//+32转换为小写 //s[i]=s[i]-'A'+'a'; } }}void mytoupper(char *s){ int len=strlen(s); for(int i=0;i<len;i++){ if(s[i]>='a'&&s[i]<='z'){ s[i]=toupper(s[i]); //s[i]-=32;//+32转换为小写 //s[i]=s[i]-'a'+'A'; } }} int main() { cout<<"请输入一个含大写的字符串:"; char s[201]; gets(s); ///转小写 mytolower(s); cout<<"转化为小写后为:"<<s<<endl; mytoupper(s); cout<<"转化为大写后为:"<<s<<endl; return 0;}
4、如果用char数组,也可以使用s[i]+=32或者s[i]=s[i]-'A'+'a'的形式,实现两个转化为大写和小写方法,如下所示:
#include <iostream>#include <algorithm>#include <cstring>using namespace std;void mytolower(char *s){ int len=strlen(s); for(int i=0;i<len;i++){ if(s[i]>='A'&&s[i]<='Z'){ s[i]+=32;//+32转换为小写 //s[i]=s[i]-'A'+'a'; } }}void mytoupper(char *s){ int len=strlen(s); for(int i=0;i<len;i++){ if(s[i]>='a'&&s[i]<='z'){ s[i]-=32;//+32转换为小写 //s[i]=s[i]-'a'+'A'; } }} int main() { cout<<"请输入一个含大写的字符串:"; char s[201]; gets(s); ///转小写 mytolower(s); cout<<"转化为小写后为:"<<s<<endl; mytoupper(s); cout<<"转化为大写后为:"<<s<<endl; return 0;}
本文链接:https://www.kjpai.cn/news/2024-04-07/155096.html,文章来源:网络cs,作者:亙句,版权归作者所有,如需转载请注明来源和作者,否则将追究法律责任!
版权声明:本文内容由互联网用户自发贡献,该文观点仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
下一篇:返回列表