詳解C語言數據結構之棧
棧的鏈式實現
主要內容
(1) 棧包含7個元素,依次是67,3,88,6,1,7,0,采用尾插入法創建 棧,為該棧設置兩個指針,一個bottom和一個top指針;
(2) 入棧函數push,該函數完成向棧中插入元素的功能,利用push函數,將數字-9插入到棧內,並將棧裡的元素遍歷;
(3) 出棧函數pop,該函數完成從棧中刪除元素的功能,利用pop函數,刪除此時棧裡面的3個元素,並遍歷棧;
(4) 函數length,求出此時棧內元素的個數。
代碼實現:
#include<stdio.h> #include<stdlib.h> struct node { int date; struct node *next; }; struct stack { struct node *bottom; struct node *top; }s; struct stack *creat(struct stack *s); //創建棧 void push(struct stack *s,int e); //入棧 void print(struct stack *s); //打印輸出 void pop(struct stack *s); //出棧 void length(struct stack *s); //輸出棧的長度 int main() { struct stack *s; int e; s=creat(s); push(s,67); push(s,3); push(s,88); push(s,6); push(s,1); push(s,7); push(s,0); printf("初始棧元素為:"); print(s); printf("\n"); printf("\n"); push(s,-9); printf("插入元素後:"); print(s); printf("\n"); printf("\n"); pop(s); pop(s); pop(s); printf("刪除元素後:"); print(s); printf("\n"); printf("\n"); length(s); return 0; } struct stack *creat(struct stack *s) { s=(struct stack *)malloc(sizeof(struct stack )); s->bottom=s->top=(struct node *)malloc(sizeof(struct node)); s->top->next=NULL; s->bottom->next=NULL; return s; } void push(struct stack *s,int e)//進棧 { struct node *p; p=(struct node *)malloc(sizeof(struct node)); p->date=e; p->next=NULL; s->top->next=p; s->top=p; } void pop(struct stack *s)// 出棧 { struct node *p,*q; p=s->bottom; while(p->next!=NULL) { q=p; p=p->next; } q->next=NULL; s->top=q; } void print(struct stack *s)//打印輸出 { struct node *p = s->bottom->next; while(p!=NULL) { printf("%4d",p->date); p=p->next; } } void length(struct stack *s)//計算長度 { struct node *p=s->bottom->next; int i=0; while(p!=NULL) { i++; p=p->next; } printf("此時棧的長度為:%4d",i); }
總結
本篇文章就到這裡瞭,希望能夠給你帶來幫助,也希望您能夠多多關註WalkonNet的更多內容!