二进制到十进制
本文关键字:十进制 二进制 | 更新日期: 2023-09-27 17:52:33
int rem, count = 0;
long int n=0, b, i;
count << "Enter the Binary value to convert in Decimal = ";
cin >> b;
i = b;
while (b > 0)
{
rem = b % 10;
n = n + rem * pow(2, count);
count++;
b = b / 10;
}
cout << "The decimal value of Binary no. = " << i << " = " << n;
getch();
我用C++制作了这个简单的程序,现在我想用 C# 实现它,但我无法这样做,因为我不知道如何实现我在循环中使用的逻辑。因为在C++中关键字 pow
用于乘以2
的值,所以我不知道如何在 C# 中做到这一点。
不,pow()
不是关键字,它是标准库math.h
中的函数。
在这种情况下,对于 C++ 和 C#,您可以轻松地通过位移替换它:
(int) pow(2, count) == 1 << count
以上对于count
的所有正值都是正确的,直到平台/语言的精度极限。
我相信使用移位从整体上解决问题要容易得多。
检查这个:
int bintodec(int decimal);
int _tmain(int argc, _TCHAR* argv[])
{
int decimal;
printf("Enter an integer (0's and 1's): ");
scanf_s("%d", &decimal);
printf("The decimal equivalent is %d.'n", bintodec(decimal));
getchar();
getchar();
return 0;
}
int bintodec(int decimal)
{
int total = 0;
int power = 1;
while(decimal > 0)
{
total += decimal % 10 * power;
decimal = decimal / 10;
power = power * 2;
}
return total;
}
你必须
处理C#
中的数据类型
long int n=0, b, i; // long int is not valid type in C#, Use only int type.
将pow()
替换为Math.Pow()
pow(2, count); // pow() is a function in C/C++
((int)Math.Pow(2, count)) // Math.Pow() is equivalent of pow in C#.
// Math.Pow() returns a double value, so cast it to int
看看 Math.Pow 方法。
通常,数学类提供了您正在寻找的许多功能。
互联网上其他地方的完整代码示例是在此处输入链接描述。
public int BinaryToDecimal(string data)
{
int result = 0;
char[] numbers = data.ToCharArray();
try
{
if (!IsNumeric(data))
error = "Invalid Value - This is not a numeric value";
else
{
for (int counter = numbers.Length; counter > 0; counter--)
{
if ((numbers[counter - 1].ToString() != "0") && (numbers[counter - 1].ToString() != "1"))
error = "Invalid Value - This is not a binary number";
else
{
int num = int.Parse(numbers[counter - 1].ToString());
int exp = numbers.Length - counter;
result += (Convert.ToInt16(Math.Pow(2, exp)) * num);
}
}
}
}
catch (Exception ex)
{
error = ex.Message;
}
return result;
}
http://zamirsblog.blogspot.com/2011/10/convert-binary-to-decimal-in-c.html