STL之一string

来源:互联网 发布:数据库设计与关系理论 编辑:程序博客网 时间:2024/05/24 04:23

toupper, tolower

地球人都知道 C++ 的 string 没有 toupper ,好在这不是个大问题,因为我们有 STL算法:

string s("heLLo");


transform(s.begin(), s.end(), s.begin(), toupper);


cout << s << endl;


transform(s.begin(), s.end(), s.begin(), tolower);


cout << s << endl;

当然,我知道很多人希望的是 s.to_upper() ,但是对于一个这么通用的 basic_string来说,的确没办法把这些专有的方

 

法放进来。如果你用 boost stringalgo ,那当然不在话下,你也就不需要读这篇文章了。

------------------------------------------------------------------------
trim


我们还知道 string 没有 trim ,不过自力更生也不困难,比 toupper 来的还要简单:

    string s("  hello  ");


    s.erase(0,s.find_first_not_of(" /n"));


    cout<< s << endl;


   s.erase(s.find_last_not_of(' ') + 1);


    cout<< s << endl;



注意由于 find_first_not_of 和 find_last_not_of都可以接受字符串,这个时候它们寻找该字符串中所有字符的

 

absence ,所以你可以一次 trim 掉多种字符。

-----------------------------------------------------------------------
erase


string 本身的 erase 还是不错的,但是只能 erase 连续字符,如果要拿掉一个字符串里面所有的某个字符呢?用STL

的 erase + remove_if 就可以了,注意光 remove_if 是不行的。

    string s("  hello, world. say bye  ");


   s.erase(remove_if(s.begin(),s.end(), 


        bind2nd(equal_to(),' ')), 


   s.end());



上面的这段会拿掉所有的空格,于是得到 hello,world.saybye。

-----------------------------------------------------------------------
replace


string 本身提供了 replace ,不过并不是面向字符串的,譬如我们最常用的把一个 substr 换成另一个 substr的操作,就要做一点小组合:

    string s("hello,world");


    stringsub("ello, ");


   s.replace(s.find(sub), sub.size(), "appy ");


    cout<< s << endl;

输出为 happy world。注意原来的那个 substr 和替换的 substr并不一定要一样长。

-----------------------------------------------------------------------
startwith, endwith


这两个可真常用,不过如果你仔细看看 string的接口,就会发现其实没必要专门提供这两个方法,已经有的接口可以干得很好:

    string s("hello,world");


    stringhead("hello");


    stringtail("ld");


    boolstartwith = s.compare(0, head.size(), head) == 0;


    cout<< boolalpha << startwith << endl;


    bool endwith= s.compare(s.size() - tail.size(), tail.size(), tail) ==0;


    cout<< boolalpha << endwith << endl;

原创粉丝点击