我正在尝试将此数字转换为整数。但是我抛出了一个 bad_cast 异常。我不确定发生了什么。
问问题
4736 次
2 回答
3
那是因为价值
-138.8468953457983248
不是整数。
您需要将其转换为浮点值。
int a = static_cast<double>("-138.21341535");
// ^^^^^^ Cast to double
// ^^^ You can assign double to an int
词法转换将尝试使用字符串中的所有字符。如果有任何剩余,那就是糟糕的演员阵容。当您尝试将上述内容转换为整数时,它会读取“-138”,但会在生成异常的强制转换缓冲区中留下“.21341535”。
#include <boost/lexical_cast.hpp>
int main()
{
std::cout << "Try\n";
try
{
std::cout << boost::lexical_cast<int>("-138.8468953457983248") << "\n";
}
catch(boost::bad_lexical_cast const& e)
{
std::cout << "Error: " << e.what() << "\n";
}
std::cout << "Done\n";
std::cout << "Try\n";
try
{
std::cout << boost::lexical_cast<double>("-138.8468953457983248") << "\n";
}
catch(boost::bad_lexical_cast const& e)
{
std::cout << "Error: " << e.what() << "\n";
}
std::cout << "Done\n";
}
这个 :
> g++ lc.cpp
> ./a.out
Try
Error: bad lexical cast: source type value could not be interpreted as target
Done
Try
-138.847
Done
于 2013-10-18T18:30:47.583 回答
0
boost::lexical_cast<int>
需要一个字符串/字符流参数。根据您的要求,您可以使用静态转换。
int a = static_cast<int>(-138.21341535);
于 2013-10-18T17:39:40.547 回答