繁体   English   中英

将 double 值转换为 char 变量时 stringstream 如何工作

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

我在这里看到了一篇文章,询问如何将双变量值转换为 char 数组。 有人说只使用 stringstream 但没有解释它为什么起作用。 我尝试使用谷歌搜索,但找不到任何关于它如何转换的文档。 我想知道是否有人可以向我解释它是如何工作的。 这是我编写的将 double 变量值转换为 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中插入 double (假设它在string中保存值),因此当您运行ss >> b; 它只是按字符复制char[]字符中的string
现在唯一的一点是将double转换为string ,这可以通过一个简单的算法来实现:

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()来更快地执行它并且没有任何类型的错误(检查这个

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM