C++ int與string的轉化

Andy Niu發表於2014-01-03

int本身也要用一串字元表示,前後沒有雙引號,告訴編譯器把它當作一個數解釋。預設情況下,是當成10進位制(dec)來解釋,如果想用8進位制,16進位制,怎麼辦?加上字首,告訴編譯器按照不同進位制去解釋。8進位制(oct)---字首加0,16進位制(hex)---字首加0x或者0X。

string前後加上雙引號,告訴編譯器把它當成一串字元來解釋。

注意:對於字元,需要區分字元和字元表示的數值。比如:char a = 8;char b = '8',a表示第8個字元,b表示字元8,是第56個字元。


 int轉化為string

1、使用itoa(int to string)

 1  //char *itoa( int value, char *string,int radix);
 2  // 原型說明:
 3  // value:欲轉換的資料。
 4  // string:目標字串的地址。
 5  // radix:轉換後的進位制數,可以是10進位制、16進位制等。
 6  // 返回指向string這個字串的指標
 7 
 8  int aa = 30;
 9  char c[8];
10  itoa(aa,c,16);
11  cout<<c<<endl; // 1e

注意:itoa並不是一個標準的C函式,它是Windows特有的,如果要寫跨平臺的程式,請用sprintf。

2、使用sprintf

 1  // int sprintf( char *buffer, const char *format, [ argument] … );
 2  //引數列表
 3  // buffer:char型指標,指向將要寫入的字串的緩衝區。
 4  // format:格式化字串。
 5  // [argument]...:可選引數,可以是任何型別的資料。
 6  // 返回值:字串長度(strlen)
 7 
 8  int aa = 30;
 9  char c[8]; 
10  int length = sprintf(c, "%05X", aa); 
11  cout<<c<<endl; // 0001E

3、使用stringstream

1  int aa = 30;
2  stringstream ss;
3  ss<<aa; 
4  string s1 = ss.str();
5  cout<<s1<<endl; // 30
6 
7  string s2;
8  ss>>s2;
9  cout<<s2<<endl; // 30

可以這樣理解,stringstream可以吞下不同的型別,根據s2的型別,然後吐出不同的型別。
4、使用boost庫中的lexical_cast

1  int aa = 30;
2  string s = boost::lexical_cast<string>(aa);
3  cout<<s<<endl; // 30

3和4只能轉化為10進位制的字串,不能轉化為其它進位制的字串。


 string轉化為int
1、使用strtol(string to long) 

1 string s = "17";
2  char* end;
3  int i = static_cast<int>(strtol(s.c_str(),&end,16));
4  cout<<i<<endl; // 23
5 
6  i = static_cast<int>(strtol(s.c_str(),&end,10));
7  cout<<i<<endl; // 17

2、使用sscanf

1 int i;
2  sscanf("17","%D",&i);
3  cout<<i<<endl; // 17
4 
5  sscanf("17","%X",&i);
6  cout<<i<<endl; // 23
7 
8  sscanf("0X17","%X",&i);
9  cout<<i<<endl; // 23

3、使用stringstream

1  string s = "17";
2 
3  stringstream ss;
4  ss<<s;
5 
6  int i;
7  ss>>i;
8  cout<<i<<endl; // 17

注:stringstream可以吞下任何型別,根據實際需要吐出不同的型別。
4、使用boost庫中的lexical_cast

1  string s = "17";
2  int i = boost::lexical_cast<int>(s);
3  cout<<i<<endl; // 17

 

相關文章