单链表的基本操作

只愿长相守 提交于 2020-01-18 03:13:55

1、创建

#include<iostream>
using namespace std;

struct node
{
	int data;
	node* next;
};

node* create(int array[],int n)
{
	node* head=new node;
	head->next=NULL; //别忘记置空!! 
	node* pre=head;
	node* p;
	
	for(int i=0;i<n;i++)
	{
		p=new node;
		p->data=array[i];
		p->next=NULL;
		pre->next=p;
		pre=p;
	}
	return head; 
}

int main()
{
	int array[5]={1,2,3,4,5};
	node* l=create(array,5);
	l=l->next;
	while(l!=NULL)
	{
		cout<<l->data<<" ";
		l=l->next;
	}
	return 0;
}

2、插入

void insert(node* head,int pos,int x)
{
	node* p=head;
	for(int i=0;i<pos-1;i++)
	{
		p=p->next;
	}
	node* q=new node;
	q->data=x;
	q->next=p->next;
	p->next=q;	
}

3、查找

int search(node* head,int x)
{
	int count=0;
	node* p=head->next;
	while(p!=NULL)
	{
		if(p->data==x) count++;
		p=p->next; 
	}
	return count;
}

4、删除

void del(node* head,int x)
{
	node* pre=head;
	node* p=head->next;
	while(p!=NULL)
	{
		if(p->data==x) 
		{
			pre->next=p->next;
			delete(p);
			p=pre->next;  //注意p的指向的变动!! 
		}
		else  //非此即彼的关系 
		{
			pre=p;
			p=p->next;
		}		
	}	
}

 

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!