将双精度值转换为 char 变量时字符串流如何工作

How does stringstream work when converting a double value into a char variable

本文关键字:何工作 工作 字符串 双精度 转换 变量 char      更新时间:2023-10-16

>我在这里看到一篇文章,询问如何将双精度变量值转换为字符数组。有人说只使用字符串流,但没有解释它为什么有效。我尝试谷歌搜索,但找不到任何关于它如何转换它的文档。我想知道是否有人可以向我解释它是如何工作的。这是我编写的代码,它将双精度变量值转换为 char 数组。

#include <iostream>
#include <sstream>
using namespace std;
int main()
{
double a = 12.99;
char b[100];
stringstream ss;
ss << a;
ss >> b;
cout << b; // it outputs 12.99
return 0;
}

当你这样做ss << a;时,你在stringstream中插入双精度值(假设它在string中保存值(,所以当你运行ss >> b;时,它只是逐个字符复制char[]字符中的string
stringdouble。 可以通过简单的算法实现的事情:

std::string converter(double value){
char digits[] = {'0', '1', '2', '3', '4', '5', '6', '7', '8', '9' };
bool is_negative = value < 0;
std::string integer_to_string;
value =  is_negative ? value * -1 : value; // make the number positive
double fract = value - static_cast<unsigned int>(value); // fractionary part of the number
unsigned int integer = static_cast<int>(value); // integer part of the number
do{
unsigned int current = integer % 10; // current digit
integer_to_string = std::string(1, digits[current]) + integer_to_string; // append the current digit at the beginning
integer = integer / 10; // delete the current digit
} while(integer > 0); // do over and over again until there are digits
integer_to_string = (is_negative ? "-" : "") + integer_to_string; // put the - in case of negative
std::string fract_to_string;
if(fract > 0) {
fract_to_string = ".";
do {
unsigned int current = static_cast<int>(fract * 10); // current digit
fract_to_string = fract_to_string + std::string(1, digits[current]); // append the current digit at the beginning
fract = (fract * 10) - current; // delete the current digit
} while (fract > 0);
}
return integer_to_string + fract_to_string;
}

请记住,这是一个非常基本的转换,由于浮点运算中operator-的不稳定,会产生很多错误,因此它非常不稳定,但这只是一个例子

注意:这绝对是为了避免在遗留(实际上不仅是遗留(代码中使用,它只是作为一个例子完成的,相反,您应该使用std::to_string()with 将更快地执行它并且没有任何类型的错误(检查这个(