我需要帮助调试下面的代码。 我想使用将二进制数转换为十进制或八进制的函数来生成代码。 我一直在switch语句中得到错误"在函数调用"中错误的参数太少。
#include <iostream.>
long int menu();
long int toDeci(long int);
long int toOct(long int);
using namespace std;
int main ()
{
int convert=menu();
switch (convert)
{
case(0):
toDeci();
break;
case(1):
toOct();
break;
}
return 0;
}
long int menu()
{
int convert;
cout<<"Enter your choice of conversion: "<<endl;
cout<<"0-Binary to Decimal"<<endl;
cout<<"1-Binary to Octal"<<endl;
cin>>convert;
return convert;
}
long int toDeci(long int)
{
long bin, dec=0, rem, num, base =1;
cout<<"Enter the binary number (0s and 1s): ";
cin>> num;
bin = num;
while (num > 0)
{
rem = num % 10;
dec = dec + rem * base;
base = base * 2;
num = num / 10;
}
cout<<"The decimal equivalent of "<< bin<<" = "<<dec<<endl;
return dec;
}
long int toOct(long int)
{
long int binnum, rem, quot;
int octnum[100], i=1, j;
cout<<"Enter the binary number: ";
cin>>binnum;
while(quot!=0)
{
octnum[i++]=quot%8;
quot=quot/8;
}
cout<<"Equivalent octal value of "<<binnum<<" :"<<endl;
for(j=i-1; j>0; j--)
{
cout<<octnum[j];
}
}
答案 0 :(得分:3)
我想使用将二进制数转换为十进制或八进制的函数来生成代码。
没有像基于数字表示将二进制数转换为十进制或八进制这样的事情
long int toDeci(long int);
long int toOct(long int);
对于任何语义解释,这些函数都是完全没有意义的。
数字是数字,其文字表示可以是十进制,十六进制,八进制或二进制格式:
dec 42
hex 0x2A
oct 052
bin 101010
在long int
数据类型中仍然是相同的数字。
使用c ++标准I/O manipulators,您可以通过文字表示对这些格式进行转换。
答案 1 :(得分:0)
我不确定我是否理解你要做的事情。这是一个可以帮助您的示例(demo):
#include <iostream>
int main()
{
using namespace std;
// 64 bits, at most, plus null terminator
const int max_size = 64 + 1;
char b[max_size];
//
cin.getline( b, max_size );
// radix 2 string to int64_t
uint64_t i = 0;
for ( const char* p = b; *p && *p == '0' || *p == '1'; ++p )
{
i <<= 1;
i += *p - '0';
}
// display
cout << "decimal: " << i << endl;
cout << hex << "hexa: " << i << endl;
cout << oct << "octa: " << i << endl;
return 0;
}