在 C++ 中使用 std::stod 系列函数
本文解释并演示了如何在 C++ 中使用 std::stod
系列函数的几种方法。
在 C++ 中使用 std::stod
将 string
转换为浮点值
std::stod
函数连同 std::stof
和 std::stold
是由 STL 提供的,用于将 string
转换为浮点数。请注意,我们说的是转换,但它更像是将字符串内容解释为浮点值。也就是说,这些函数使用预定义的解析规则扫描给定的字符串
参数,以识别有效的浮点数并将它们存储在相应的类型对象中。
函数通过后缀来区分,后缀表示它们返回的类型。std::stod
对象返回 double
值,std::stof
返回一个浮点数,而 std::stold
返回 long double
。这些函数自 C++11 起就成为 STL 的一部分,并包含在 <string>
头文件中。
在下面的代码片段中,我们将探索不同的转换场景并深入研究这些函数的解析规则。第一个示例是 string
对象仅包含数字和十进制分隔符 (.
) 的最简单情况。std::stod
函数将给定的字符序列解释为有效的浮点数并将它们存储在 double
类型中。请注意,十进制分隔符不能是逗号(,
)字符,因为它不会被视为数字的一部分。
#include <iostream>
#include <string>
using std::cout;
using std::endl;
using std::string;
int main() {
string str1 = "123.0";
string str2 = "0.123";
auto m1 = std::stod(str1);
auto m2 = std::stod(str2);
cout << "std::stod(\"" << str1 << "\") is " << m1 << endl;
cout << "std::stod(\"" << str2 << "\") is " << m2 << endl;
return EXIT_SUCCESS;
}
输出:
std::stod("123.0") is 123
std::stod("0.123") is 0.123
或者,如果我们有 string
对象,其中数字与其他字符混合,则可以挑出两种常见情况。第一种情况:string
对象以数字开头,后跟其他字符; std::stod
函数在遇到第一个非数字字符(不包括十进制分隔符)之前提取起始数字。
第二种情况:string
参数以非数字字符开头,在这种情况下,函数会抛出 std::invalid_argument
异常并且无法进行转换。
#include <iostream>
#include <string>
using std::cout;
using std::endl;
using std::string;
int main() {
string str3 = "123.4 with chars";
string str4 = "chars 1.2";
auto m3 = std::stod(str3);
// auto m4 = std::stod(str4);
cout << "std::stod(\"" << str3 << "\") is " << m3 << endl;
return EXIT_SUCCESS;
}
输出:
std::stod("123.0") is 123
std::stod("0.123") is 0.123
通常,std::stod
及其函数系列会丢弃起始空白字符。因此,如果我们传递一个带有多个前导空格字符后跟数字的字符串,则转换将成功执行,如下例所示。
此外,这些函数可以采用 size_t*
类型的可选参数,如果调用成功,它将存储处理的字符数。请注意,如果将字符串转换为有效的浮点数,则前导空格字符也会计数。
#include <iostream>
#include <string>
using std::cout;
using std::endl;
using std::string;
int main() {
string str3 = "123.4 with chars";
string str5 = " 123.4";
size_t ptr1 = -1;
size_t ptr2 = -1;
auto m4 = std::stod(str3, &ptr1);
auto m5 = std::stod(str5, &ptr2);
cout << m4 << " - characters processed: " << ptr1 << endl;
cout << "std::stod(\"" << str5 << "\") is " << m5 << " - "
<< ptr2 << " characters processed" << endl;
cout << "length: " << str5.size() << endl;
return EXIT_SUCCESS;
}
输出:
123.4 - characters processed: 5
std::stod(" 123.4") is 123.4 - 16 characters processed
length: 16
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn