遍歷循環(huán)單鏈表可以通過循環(huán)完成搅轿。 將臨時指針變量temp
初始化為head
指針并運行while
循環(huán)裸燎,直到temp
的next
指針變?yōu)?code>head核芽。 算法和實現(xiàn)該算法的c函數(shù)描述如下榨婆。
算法
第1步:設(shè)置PTR = HEAD
第2步:如果PTR = NULL
提示 內(nèi)存溢出
轉(zhuǎn)到第8步
[IF結(jié)束]
第4步:重復(fù)第5步和第6步直到 PTR→NEXT簿煌!= HEAD
第5步:打印PTR→DATA
第6步:PTR = PTR→NEXT
[循環(huán)結(jié)束]
第7步:打印PTR->DATA
第8步:退出
C語言實現(xiàn)示例代碼氮唯,如下所示 -
#include<stdio.h>
#include<stdlib.h>
void create(int);
void traverse();
struct node
{
int data;
struct node *next;
};
struct node *head;
void main()
{
int choice, item;
do
{
printf("1.Append List\n2.Traverse\n3.Exit\n4.Enter your choice?");
scanf("%d", &choice);
switch (choice)
{
case 1:
printf("Enter the item\n");
scanf("%d", &item);
create(item);
break;
case 2:
traverse();
break;
case 3:
exit(0);
break;
default:
printf("Please enter valid choice\n");
}
} while (choice != 3);
}
void create(int item)
{
struct node *ptr = (struct node *)malloc(sizeof(struct node));
struct node *temp;
if (ptr == NULL)
{
printf("OVERFLOW\n");
}
else
{
ptr->data = item;
if (head == NULL)
{
head = ptr;
ptr->next = head;
}
else
{
temp = head;
while (temp->next != head)
temp = temp->next;
ptr->next = head;
temp->next = ptr;
head = ptr;
}
printf("Node Inserted\n");
}
}
void traverse()
{
struct node *ptr;
ptr = head;
if (head == NULL)
{
printf("nothing to print");
}
else
{
printf("printing values ... \n");
while (ptr->next != head)
{
printf("%d\n", ptr->data);
ptr = ptr->next;
}
printf("%d\n", ptr->data);
}
}
執(zhí)行上面示例代碼,得到以下結(jié)果 -
1.Append List
2.Traverse
3.Exit
4.Enter your choice?1
Enter the item
23
Node Inserted
1.Append List
2.Traverse
3.Exit
4.Enter your choice?2
printing values ...
23