正向創建鏈表
#include<stdlib.h>
#define N 9
typedef struct node{ //聲明結構體類型
int data;
struct node * next;
}ElemSN;
ElemSN * Createlink(int a[],int n) {
int i;
ElemSN * h=NULL,* tail, * p; // h :頭指針 tail : 尾指針 p : 指向新建的node指針
for( i=0;i<N;i++){
p=(ElemSN *)malloc(sizeof(ElemSN)); // 創建node
p->data =a[i];
p->next=NULL;
if(!h) // 頭指針為空,頭指針 尾指針 新建指針 3個指向同一個node的ElemSN類型的指針
h=tail=p;
else //頭指針不空
tail=tail->next=p; //新建的node給尾指針指針域,然後尾指針移動當前node
}
return h;
}
void printlink(ElemSN * h) { //打印輸出函數
ElemSN * p;
for(p=h;p;p=p->next){
printf("%d\n",p->data);
}
int main(void){
int a[N]={1,2,3,4,5,6,7,8,9};
ElemSN * head=NULL;
head=Createlink(a,9);
printlink(head);
}
正向創建鏈表