我想将一个字符串转换为int,我不是指ASCII码。
为了快速回顾,我们将一个方程作为字符串传递。我们要把它分解,正确地格式化并解出线性方程。说到这里,我不能把一个字符串转换成int型。
我知道字符串的格式是(-5)或(25)等,所以它肯定是int型。但是我们如何从字符串中提取它呢?
我想到的一种方法是在字符串中运行一个for/while循环,检查一个数字,提取后面的所有数字,然后看看是否有前导'-',如果有,将int乘以-1。
对于这样一个小问题来说,这似乎有点过于复杂了。什么好主意吗?
有很多答案,很多可能性。我在这里缺少的是一些通用方法,可以将字符串转换为不同的c++整型(short, int, long, bool,…)
我想出了以下解决方案:
#include<sstream>
#include<exception>
#include<string>
#include<type_traits>
using namespace std;
template<typename T>
T toIntegralType(const string &str) {
static_assert(is_integral<T>::value, "Integral type required.");
T ret;
stringstream ss(str);
ss >> ret;
if ( to_string(ret) != str)
throw invalid_argument("Can't convert " + str);
return ret;
}
下面是用法示例:
string str = "123";
int x = toIntegralType<int>(str); // x = 123
str = "123a";
x = toIntegralType<int>(str); // throws exception, because "123a" is not int
str = "1";
bool y = toIntegralType<bool>(str); // y is true
str = "0";
y = toIntegralType<bool>(str); // y is false
str = "00";
y = toIntegralType<bool>(str); // throws exception
为什么不直接使用stringstream输出操作符将字符串转换为整型?
以下是答案:
假设字符串包含的值超出了预期整型的限制。例如,在windows 64上,max int是2147483647。
让我们给一个字符串赋值max int + 1: string str = "2147483648"。
现在,当将字符串转换为int类型时:
stringstream ss(str);
int x;
ss >> x;
X变成2147483647,这肯定是一个错误:字符串“2147483648”不应该被转换为int 2147483647。为integraltype提供的函数会发现这样的错误并抛出异常。
1. std:: stoi
std::string str = "10";
int number = std::stoi(str);
2. 字符串流
std::string str = "10";
int number;
std::istringstream(str) >> number
3.boost:: lexical_cast
#include <boost/lexical_cast.hpp>
std::string str = "10";
int number;
try
{
number = boost::lexical_cast<int>(str);
std::cout << number << std::endl;
}
catch (boost::bad_lexical_cast const &e) // bad input
{
std::cout << "error" << std::endl;
}
4. std:: atoi
std::string str = "10";
int number = std::atoi(str.c_str());
5. sscanf ()
std::string str = "10";
int number;
if (sscanf(str .c_str(), "%d", &number) == 1)
{
std::cout << number << '\n';
}
else
{
std::cout << "Bad Input";
}
要将字符串表示形式转换为整数值,可以使用std::stringstream。
如果转换的值超出整数数据类型的范围,则返回INT_MIN或INT_MAX。
此外,如果字符串值不能表示为有效的int数据类型,则返回0。
#include
#include
#include
int main() {
std::string x = "50";
int y;
std::istringstream(x) >> y;
std::cout << y << '\n';
return 0;
}
输出:
50
根据上面的输出,我们可以看到它从字符串数转换为整数数。
来源和更多的字符串int c++