C++ STL string 大小写转换时的 no matching function for call to ‘transform 错误

出处:http://blog.csdn.net/yasi_xi/article/details/9053279

C++ STL string 大小写转换时的 no matching function for call to ‘transform 错误

这里介绍了 C++ STL string 大小写转换的代码,但是要注意,可能有些机器用下面的代码编译不过

[cpp] view plain copy
  1. #include  // toupper, tolower  
  2. #include   
  3. #include   
  4. #include     // transform  
  5. using namespace std;  
  6.   
  7. int main()  
  8. {  
  9.    string str = "abcdADcdeFDde!@234";  
  10.    transform(str.begin(), str.end(), str.begin(), toupper);  
  11.    cout << str << endl;  
  12.    transform(str.begin(), str.end(), str.begin(), tolower);  
  13.    cout << str << endl;  
  14.    return 0;  
  15. }  

可能的错误提示如下:

[plain] view plain copy
  1. error: no matching function for call to ‘transform(__gnu_cxx::__normal_iterator, std::allocator > >, __gnu_cxx::__normal_iterator, std::allocator > >, __gnu_cxx::__normal_iterator, std::allocator > >, )’  

这里 说明了原因:

The problem is that the version of std::tolower inherited from the C standard library is a non-template function, but there are other versions of std::tolower that are function templates, and it is possible for them to be included depending on the standard library implementation. You actually want to use the non-template function, but there is ambiguity when just tolower is provided as the predicate.

翻译过来就是说,既有C版本的toupper/tolower函数,又有STL模板函数toupper/tolower,二者存在冲突。


解决办法:

在toupper/tolower前面加::,强制指定是C版本的(这时也不要include 了):

[cpp] view plain copy
  1. #include   
  2. #include   
  3. #include     // transform  
  4. using namespace std;  
  5.   
  6. int main()  
  7. {  
  8.    string str = "abcdADcdeFDde!@234";  
  9.    transform(str.begin(), str.end(), str.begin(), ::toupper);  
  10.    cout << str << endl;  
  11.    transform(str.begin(), str.end(), str.begin(), ::tolower);  
  12.    cout << str << endl;  
  13.    return 0;  

你可能感兴趣的:(c++)