答案:C++中推荐使用stoi将string转int,支持多种进制并抛出异常以处理错误,兼容性好且安全;也可用stringstream或atoi,但后者安全性低;反向转换可用to_string。

在C++中,将string转换为int是常见的操作。有多种方法可以实现这一转换,每种方式适用于不同的场景。下面介绍几种常用且可靠的方法。
使用 stoi 函数(推荐)
stoi 是 C++11 引入的函数,专门用于将字符串转换为整数,使用简单且安全。
- 函数原型:
int stoi(const string& str)
- 支持十进制、十六进制(以0x开头)、八进制(以0开头)等格式
- 如果字符串无法转换,会抛出异常(如
invalid_argument
或
out_of_range
)
示例代码:
#include <string> #include <iostream> using namespace std; int main() { string s = "1234"; try { int num = stoi(s); cout << "转换结果: " << num << endl; } catch (const invalid_argument& e) { cout << "无法转换为整数" << endl; } catch (const out_of_range& e) { cout << "数值超出int范围" << endl; } return 0; }
使用 stringstream
利用
stringstream
进行类型转换,兼容性好,适合老版本编译器。
立即学习“C++免费学习笔记(深入)”;
- 通过流操作提取整数
- 不会自动抛出异常,需手动检查是否转换成功
示例代码:
#include <sstream> #include <string> #include <iostream> using namespace std; int strToInt(string s) { stringstream ss(s); int num; ss >> num; if (ss.fail() || !ss.eof()) { throw invalid_argument("转换失败"); } return num; } int main() { string s = "5678"; try { int num = strToInt(s); cout << "转换结果: " << num << endl; } catch (const exception& e) { cout << e.what() << endl; } return 0; }
使用 atoi 函数(C风格)
atoi
来自C语言标准库,使用方便但安全性较低。
- 需要将 string 转为 const char*:调用
.c_str()
- 遇到非法字符时返回 0,无法区分“转换失败”和“原值就是0”
- 不抛出异常,错误处理困难
示例代码:
#include <cstdlib> #include <string> #include <iostream> using namespace std; int main() { string s = "999"; int num = atoi(s.c_str()); cout << "转换结果: " << num << endl; return 0; }
虽然简洁,但在生产环境中建议优先使用 stoi。
int 转 string 的反向操作
补充一下反向转换方法,便于完整掌握:
-
to_string(int n)
:C++11 提供,最简单
- 使用
stringstream
:适合复杂格式控制
示例:
int num = 123; string s = to_string(num); cout << "结果字符串: " << s << endl;
基本上就这些。日常开发中,推荐优先使用 stoi 和 to_string,代码简洁且易于维护。注意处理异常情况,确保程序健壮性。不复杂但容易忽略细节。


