#include <iostream>
using namespace std;
template<class T>
void toBinary(T num)
{
char * numi = reinterpret_cast<char*>(&num);
for (int i = 1; i <= sizeof(T); i++)
{
for( int j = 1 ; j <= 8; ++j )
{
char byte = numi[i];
cout << ( byte & j ? 1 : 0);
}
}
cout << endl << endl;
}
int main()
{
toBinary(1);
std::cin.get();
}
输出为0000000000000 ... 你能告诉我我的错误在哪里吗?
编辑:
#include <iostream>
#include <bitset>
#include <iomanip>
#include <boost/format.hpp>
using namespace std;
template<class T> bitset<sizeof(T)*CHAR_BIT> toBinary(const T num)
{
bitset<sizeof(T)*CHAR_BIT> mybits;
const char * const p = reinterpret_cast<const char*>(&num);
for (int i = sizeof(T)*CHAR_BIT-1 ; i >= 0 ; --i)
mybits.set(i, (*(p)&(1<<i)));
return mybits;
}
template<class T> void printBinary(T num, ostream& stream = cout)
{
stream << boost::format("%-35s %-8s %-32s\n") % typeid(T).name() % num % toBinary(num).to_string();
}
struct Foo{void bar(){}};
int main()
{
printBinary(-8);
printBinary(8u);
printBinary('a');
printBinary(8.2f);
printBinary("Overflow");
printBinary(main);
printBinary(&Foo::bar);
printBinary(8.2);
std::cin.get();
}
答案 0 :(得分:1)
我看到两件事:
i
中的循环应该从0
开始
j++
应为j <<= 1
。 实际上,
1 = 0b00000001
1 << 1 = 0b00000010
1 << 2 = 0b00000100
...
将此与您的行为进行对比:
1 = 0b00000001
1 + 1 = 0b00000010
1 + 2 = 0b00000011
1 + 3 = 0b00000100
这不是你想要的。
此外,该标准不保证一个字节中有8位。类型char
保证为一个字节,sizeof
测量大小(以字节为单位),要知道一个字节中的位数,请使用CHAR_BIT
宏:
for (j = 1; j <= 1 << CHAR_BIT; j <<= 1)
{
char byte = numi[i];
cout << (byte & j ? 1 : 0);
}
答案 1 :(得分:1)
byte & j
不检查j
'位是否设置,它只是检查j
中设置的任何位是否在byte
中设置为好。
要检查特定位,请使用(byte & (1 << j)) != 0
(在这种情况下,j从零开始!)。
答案 2 :(得分:1)
我想, if 我真的想按原样修复这段代码,我会这样做:
#include <iostream>
#include <string>
using namespace std;
template<class T>
void toBinary(const T& num)
{
const char *const asbytes = reinterpret_cast<const char* const>(&num);
for (const char* byte=asbytes + sizeof(T) - 1; byte>=asbytes; byte--)
{
for ( int bitnr = 7; bitnr>=0; bitnr-- )
{
cout << ( (*byte & (1<<bitnr)) ? 1 : 0);
}
}
cout << endl << endl;
}
int main()
{
toBinary(1);
std::cin.get();
}