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#中执行此操作。
答案 0 :(得分:7)
不,pow()
不是关键字,而是来自标准库math.h
的函数。
在这种情况下,对于C ++和C#,您可以轻松替换它,并进行位移:
(int) pow(2, count) == 1 << count
上述情况适用于count
的所有正值,最高可达平台/语言精度的极限。
我认为整个问题使用转移更容易解决。
答案 1 :(得分:2)
检查一下:
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;
}
答案 2 :(得分:1)
答案 3 :(得分:1)
您必须处理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
答案 4 :(得分:0)
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