C++ std::string转double数组
时间: 2023-08-10 10:05:04 浏览: 308
你可以使用 `std::stod` 函数将 `std::string` 转换为 `double` 类型,然后将结果存储在一个 `std::vector<double>` 数组中。下面是一个示例代码:
```cpp
#include <iostream>
#include <string>
#include <vector>
int main() {
std::string str = "1.23 4.56 7.89";
std::vector<double> arr;
size_t startPos = 0;
while (startPos < str.size()) {
size_t endPos = str.find(" ", startPos);
std::string numStr = str.substr(startPos, endPos - startPos);
double num = std::stod(numStr);
arr.push_back(num);
if (endPos == std::string::npos) {
break;
}
startPos = endPos + 1;
}
// 打印数组元素
for (const auto& num : arr) {
std::cout << num << " ";
}
std::cout << std::endl;
return 0;
}
```
在这个示例中,我们首先定义了一个 `std::string` 类型的变量 `str`,其中包含了需要转换的字符串。然后我们创建了一个 `std::vector<double>` 类型的数组 `arr` 用于存储转换后的 `double` 数字。
接下来,我们使用 `std::find` 函数和字符串的空格分隔符来找到每个数字的起始位置和结束位置。然后使用 `std::substr` 函数提取出子字符串,并使用 `std::stod` 函数将子字符串转换为 `double` 数字。最后,将转换后的数字添加到数组中。
最后,我们遍历数组并打印每个元素,以验证转换是否成功。输出将是 `1.23 4.56 7.89`。
请注意,这个示例假设输入字符串中的数字是用空格分隔的。如果分隔符是其他字符,你可能需要进行相应的修改。此外,如果输入字符串的格式不正确,或者无法转换为 `double` 类型,将会抛出异常。你可能需要对异常进行适当处理。
阅读全文