c++ string 转long int
时间: 2023-12-06 15:04:16 浏览: 77
可以使用`stol()`函数将C++中的`string`类型转换为`long int`类型。下面是一个例子:
```cpp
#include <iostream>
#include <string>
using namespace std;
int main() {
string str = "123456789";
long int num = stol(str);
cout << num << endl; // 输出:123456789
return 0;
}
```
相关问题
c++ string转换成long long int
在C++中,将`string`类型的值转换为`long long int`类型,你可以使用`std::stoll`函数。这个函数是 `<string>` 库的一部分,它尝试从字符串解析出一个整数,并将其存储到指定的`long long int`变量中。如果字符串不能成功解析为整数,这会抛出一个异常。
```cpp
#include <iostream>
#include <string>
int main() {
std::string str = "1234567890"; // 假设这是一个字符串
long long int num;
try {
num = std::stoll(str);
std::cout << "Converted number: " << num << std::endl;
} catch (const std::invalid_argument& e) {
std::cerr << "Invalid argument: " << e.what() << std::endl;
} catch (const std::out_of_range& e) {
std::cerr << "Number out of range: " << e.what() << std::endl;
}
return 0;
}
```
在这个例子中,`catch`块捕获可能出现的错误,如输入不是有效的数字或数值太大超出了`long long int`范围。
c++ string 转longlong
可以使用 `std::stoll` 函数将字符串转换为 `long long` 类型。示例代码如下:
```c++
#include <iostream>
#include <string>
int main() {
std::string str = "1234567890";
long long num = std::stoll(str);
std::cout << num << std::endl; // 输出 1234567890
return 0;
}
```
注意,如果字符串中包含非数字字符,或者超出了 `long long` 类型的范围,转换会抛出 `std::invalid_argument` 或 `std::out_of_range` 异常。因此,在使用 `std::stoll` 函数时应当做好异常处理。
阅读全文