3

と を使用して、整数と文字列を交換する 2 つの関数をプログラムしています。最初の関数、string intToStr(int x)、使用:

1) std::basic_string::push_back

それは完全に機能します。

ただし、2 番目の関数 int str2Int(const string &str) では、次のメンバー関数を使用すると、

1) std::basic_string::pop_back
2) std::basic_string::back

次のエラーが発生しました。

1) error C2039: 'back' : is not a member of 'std::basic_string<_Elem,_Traits,_Ax>'  
2) error C2039: 'pop_back' : is not a member of 'std::basic_string<_Elem,_Traits,_Ax>'

完全なコードは以下のとおりです。

#include <iostream>
#include <algorithm>
#include <string>

using namespace std;
string intToStr(int x)
{
    bool isNegative;
    int cnt = 0;
    if(x<0)
    {
        isNegative = true;
        x = -x;
    }
    else
    {
        isNegative = false;
    }

    string s;
    while(x)
    {
        s.push_back('0'+x%10);
        x /= 10;
        cnt ++;
        if(cnt%3==0 & x!=0)
            s.push_back(',');
    }


    if(isNegative)
        s.push_back('-');

    reverse(s.begin(),s.end()); //#include <algorithm>

    return s;

}

int str2Int(const string &str)
{
    int result=0, isNegative=0;
    char temp;
    string tempStr = str;
    reverse(tempStr.begin(),tempStr.end());

     // the following code snippet doesn't work??
     // pop_back() and back() are not member function??
    while(!tempStr.empty())
    {
        temp = tempStr.back(); 
        tempStr.pop_back();
        if(temp==',')
            continue;
        else if(temp=='-')
            isNegative = 1;
        else
            result = result*10 + (temp-'0');
    }

    return isNegative? -result:result;
}
4

1 に答える 1

4

これらのメンバー関数は C++11 にのみ存在します。コードを正しくコンパイルするには、コードを C++11 コードとしてコンパイルする必要があります。

Visual Studio 2008 に同梱されているコンパイラは C++11 をサポートしていません。新しいコンパイラを使用する必要があります。

Clang、GCC を使用するか、Visual Studio 2012にアップグレードできます。

于 2013-07-08T23:51:17.700 に答える