int Number = 123;//number to convert int a string
string Result;//string which will contain the result
stringstream convert; // stringstream used for the conversion
convert << Number;//add the value of <b>Number</b> to the characters in the stream
Result = convert.str();//set <b>Result</b> to the content of the stream
//<b>Result</b> now is equal to <b>"123"</b>
字符串转数字
1 2 3 4 5 6 7 8
string Text = "456";//string containing the number
int Result;//number which will contain the result
stringstream convert(Text); // stringstream used for the conversion initialized with the contents of <b>Text</b>
if ( !(convert >> Result) )//give the value to <b>Result</b> using the characters in the string
Result = 0;//if that fails set <b>Result</b> to <b>0</b>
//<b>Result</b> now equal to <b>456</b>
简单的函数来实现这些转换
1 2 3 4 5 6 7
template <typename T>
string NumberToString ( T Number )
{
stringstream ss;
ss << Number;
return ss.str();
}
1 2 3 4 5 6 7
template <typename T>
T StringToNumber ( const string &Text )//<b>Text</b> not by const reference so that the function can be used with a
{ //character array as argument
stringstream ss(Text);
T result;
return ss >> result ? result : 0;
}