有人能给出一个c ++代码示例,它可以轻松地将十进制值转换为二进制值,二进制值转换为十进制值吗?
答案 0 :(得分:22)
嗯,你的问题真的很模糊,所以答案是一样的。
string DecToBin(int number)
{
if ( number == 0 ) return "0";
if ( number == 1 ) return "1";
if ( number % 2 == 0 )
return DecToBin(number / 2) + "0";
else
return DecToBin(number / 2) + "1";
}
int BinToDec(string number)
{
int result = 0, pow = 1;
for ( int i = number.length() - 1; i >= 0; --i, pow <<= 1 )
result += (number[i] - '0') * pow;
return result;
}
您应该检查溢出并进行输入验证。
x << 1 == x * 2
这是一种转换为二进制的方法,它使用更“类似编程”的方法而不是“类似数学”的方法,因为缺乏更好的描述(两者实际上是相同的,因为这只是取代了分歧通过右移,通过按位模数和带循环的递归。这是另一种思考它的方式,因为这很明显你提取了各个位。)
string DecToBin2(int number)
{
string result = "";
do
{
if ( (number & 1) == 0 )
result += "0";
else
result += "1";
number >>= 1;
} while ( number );
reverse(result.begin(), result.end());
return result;
}
以下是如何在纸上进行转换:
答案 1 :(得分:2)
strtol
会将二进制字符串(如“011101”)转换为内部值(通常也会以二进制形式存储,但您不必担心这一点)。正常转化(例如operator<<
与std:cout
)将给出相同的十进制值。
答案 2 :(得分:2)
//The shortest solution to convert dec to bin in c++
void dec2bin(int a) {
if(a!=0) dec2bin(a/2);
if(a!=0) cout<<a%2;
}
int main() {
int a;
cout<<"Enter the number: "<<endl;
cin>>a;
dec2bin(a);
return 0;
}
答案 3 :(得分:1)
我假设你想要一个字符串到二进制转换?
template<typename T> T stringTo( const std::string& s )
{
std::istringstream iss(s);
T x;
iss >> x;
return x;
};
template<typename T> inline std::string toString( const T& x )
{
std::ostringstream o;
o << x;
return o.str();
}
像这样使用这些:
int x = 32;
std:string decimal = toString<int>(x);
int y = stringTo<int>(decimal);