二进制数转化为十进制数(栈的学习练习)
对与栈的联系(二进制数字转化为十进制数字)
主要是利用栈“后入先出”的特性,逐个存放二进制数字的个个位数,然后逐一取出,挨个乘以2的次方,然后相加起来,代码由c语言实现,
话不多说上代码:
#include<stdio.h>
#include<stdlib.h>
#include<math.h>
# define STACK_INIT_SIZE 20
# define STACKINCREMENT 10
typedef char ElemType;
typedef struct
{
ElemType *base;
ElemType *top;
int stackSize;
}sqstack;
void Initstack(sqstack *s)
{
s->base =(ElemType *)malloc(STACK_INIT_SIZE*sizeof(ElemType));
if(!s->base)
{
exit(0);
}
s->top=s->base;
s->stackSize=STACK_INIT_SIZE;
}
void push(sqstack *s,ElemType e)
{
if(s->top-s->base>=s->stackSize)
{
s->base=(ElemType *)realloc(s->base,(s->stackSize+STACKINCREMENT)*sizeof(ElemType));
if(!s->base)
{
exit(0); //表示空间分配失败,用exit函数跳出。
}
}
*(s->top)=e;
s->top++;
}
void Pop(sqstack *s,ElemType *e)
{
if(s->top==s->base)
{
return;
}
*e=*--(s->top);
}
int StackLen(sqstack s)
{
return (s.top-s.base);
}
int main()
{
ElemType c;
sqstack s;
int len,i,sum=0;
Initstack(&s);
printf("请输入二进制数字,输入#字符表示结束!\n");
scanf("%c",&c);
while(c!='#')
{
push(&s,c);
scanf("%c",&c);
}
getchar(); //"将回车从缓冲区去掉"
len=StackLen(s);
printf("栈的当前容量是:%d\n",len);
for(i=0;i<len;i++)
{
Pop(&s,&c);
sum=sum+(c-48)*pow(2,i);
}
printf("转化为十进制数字:%d\n",sum);
return 0;
}
写这个代码主要是为了练习栈的语句用法,为了学习而练手