用C ++打印浮点数的二进制表示

时间:2010-11-18 22:46:24

标签: c++ floating-point

  

可能重复:
  Float to binary in C++

我想在C ++中打印出浮点数的二进制表示。出于好奇,这不太实际。

以下程序不能编译。 reinterpret_cast失败。我可以使用什么样的演员表以便我可以做“&(1<< i)”部分?

#include <iostream>
using namespace std;


void toBinary(float num) {
  int numi = reinterpret_cast<int>(num);
  cout << num << " " << numi << endl;
  for (int i = 0; i < 8 * sizeof(num); i++){
    if (numi & (1<<i)) {
      cout << 1;
    } else {
      cout << 0;
    }
  }
  cout << endl << endl;
}

int main() {
  float a;
  cout << sizeof(int) << " " << sizeof(float) << endl;
  a = 13.5;
  toBinary(a);
  toBinary(13.9);
  toBinary(2 * a);
  toBinary(-a);
}

2 个答案:

答案 0 :(得分:15)

有一种更简单的方法。获取指向浮点数的指针,并将其重新解释为指向char的指针。现在循环sizeof(float)并将每个char转换为8位二进制数字。这种方法也适用于双打。

答案 1 :(得分:2)

使用联盟。我做了这个代码来完全按照你想要的那样做:

// file floattobinary.cc
#include <string>
#include <inttypes.h> // for uint32_t
using namespace std;

void floatToBinary(float f, string& str)
{
    union { float f; uint32_t i; } u;
    u.f = f;
    str.clear();

    for (int i = 0; i < 32; i++)
    {
        if (u.i % 2)  str.push_back('1');
        else str.push_back('0');
        u.i >>= 1;
    }

    // Reverse the string since now it's backwards
    string temp(str.rbegin(), str.rend());
    str = temp;
}

以下是运行此功能的测试程序:

// file test.cc
#include <iostream>
#include <string>
#include <cstdlib> // for atof(3)

using namespace std;

void floatToBinary(float, string&);

int main(int argc, const char* argv[])
{
    string str;
    float f;
    if (argc > 1)
    {
        f = static_cast<float>(atof(argv[1]));
        floatToBinary(f, str);
    }
    cout << str << endl;
    return 0;
}

编译并运行(我在Linux上使用GNU g ++):

me@mypc:~/college/c++/utils$ g++ -c floattobinary.cc
me@mypc:~/college/c++/utils$ g++ -c test.cc
me@mypc:~/college/c++/utils$ g++ -o test *.o
me@mypc:~/college/c++/utils$ ls
floattobinary.cc  floattobinary.o  test*  test.cc  test.o
me@mypc:~/college/c++/utils$ ./test 37.73
01000010000101101110101110000101
me@mypc:~/college/c++/utils$ ./test 2.0
01000000000000000000000000000000
me@mypc:~/college/c++/utils$ ./test 0.0
00000000000000000000000000000000
me@mypc:~/college/c++/utils$ ./test 237.74
01000011011011011011110101110001
me@mypc:~/college/c++/utils$ ./test 2.74e12
01010100000111110111110100101111
me@mypc:~/college/c++/utils$ ./test 2.74e13
01010101110001110101110001111010
me@mypc:~/college/c++/utils$ ./test -88.37
11000010101100001011110101110001