1. 程式人生 > >《資料結構》嚴蔚敏 用棧實現進位制轉換

《資料結構》嚴蔚敏 用棧實現進位制轉換

基本思想很簡單
原數:N
N = (N div d) X d + N mod d
在這裡插入圖片描述

//Order Stack
//apply of stack --- conversion of number systems

#include<stdio.h>
#include<stdlib.h>

#define STACK_INIT_SIZE 100
#define STACKINCREMENT  10

#define TRUE 1
#define FALSE 0
#define OK 1
#define ERROR 0


typedef int SElemType;
typedef int Status;

typedef struct
{
	SElemType *base;
	SElemType *top;

	int stackesize;

}SqStack;

Status
InitStack(SqStack *S)
{
	(*S).base =(SElemType *)malloc(STACK_INIT_SIZE * sizeof(SqStack));
	//why first I used the (*S).top ???
	//the verfy I always forget... So my code always weak...
	if(!S->base)
		exit(ERROR);

	(*S).top = (*S).base; // If you don't understand it ,I think you should learn about the structure in C firstly.
	(*S).stackesize = STACK_INIT_SIZE;

	return OK;
}

Status StackEmpty(SqStack *S)
{
	if(S->top == S->base)
		return TRUE;
	else
		return FALSE;

	// or use ? : make things seems concise

}

// When Push,first add then change the point

Status
Push(SqStack *S,SElemType e)
{
	//lack of verfy
	if(S->top - S->base >= S->stackesize)
	{
		S->base = (SElemType*)realloc(S->base,
			(S->stackesize + STACK_INIT_SIZE)*sizeof(SElemType));
		if(!S->base)
			exit(ERROR);
		S->top = S->base + S->stackesize;
		S->stackesize += STACKINCREMENT;
	}
	

	////////// the first ////
	*(*S).top = e;
	S->top ++;
	
	return OK;	

}

//when pop,first change point then pop element

Status
Pop(SqStack *S,SElemType *e)
{
	if(StackEmpty(S) == 0)
	{
		S->top --;
		//e = (*S).top ;
		//well must write like this,orthise can;t getthe return value
		*e = *(*S).top; 
		//it this ok ? How poped?
		return OK;
	}
	else
		return ERROR;

}

Status
conversion_change(SqStack S, int origin_number,int conversion)
{
	int result_number;
	while(origin_number)
	{
		Push(&S,origin_number % conversion);
		origin_number /= conversion;
	}

	printf("the result number is: ");

	while(!StackEmpty(&S))
	{
		Pop(&S,&result_number);
		printf("%d",result_number);
	}

	printf("\n");
	return OK;
}

int main(int argc, char const *argv[])
{
	int origin_number,conversion;

	SqStack S;
	InitStack(&S);

	printf("please enter the origin_number: ");
	scanf("%d",&origin_number);

	printf("please enter the conversion you want change :");
	scanf("%d",&conversion);

	conversion_change(S,origin_number,conversion);

	return 0;
}