C++面试笔试必知必会-单向循环链表

C++面试笔试必知必会-单向循环链表,第1张

文章目录

  • 一、单向循环链表


  • 二、使用步骤

    • 1. *** 作接口
    • 2.完整代码
  • 总结



一、单向循环链表

特点
1.每一个节点除了数据域,还有一个next指针域指向下一个节点(存储了下一个节点的地址)
2.末尾节点的指针域指向了头节点


二、使用步骤 1. *** 作接口

代码如下(示例):

//尾插法
void InsertTail(int val)//头插法
void InsertHead(int val)//删除节点
void Remove(int val)//查询
bool Find(int val) const//打印链表
void Show() const
2.完整代码

代码如下(示例):

#include
#include
#include
using namespace std;

class CircleLink
{
public:
	CircleLink()
	{
		 head_ = new Node();
		 tail_ = head_;
		 head_->next_ = head_;
	}
	~CircleLink()
	{
		Node* p = head_->next_;
		while (p != head_)
		{
			head_->next_ = p->next_;
			delete p;
			p = head_->next_;
		}
		delete head_;
	}
public:
	//尾插法	O(1)
	void InsertTail(int val)
	{
		Node* node = new Node(val);
		node->next_ = tail_->next_;//node->next_=head_;
		tail_->next_ = node;
		tail_ = node;
	}

	//头插法
	void InsertHead(int val)
	{
		Node* node = new Node(val);
		if (head_->next_ == head_)
		{
			tail_ = node;
		}
		node->next_=head_->next_;
		head_->next_ = node;
	}

	//删除节点
	void Remove(int val)
	{
		Node* q = head_;
		Node* p = head_->next_;

		while (p != head_)
		{
			if (p->data_ == val)
			{
				//找到删除节点
				if (p->next_ == head_)
				{
					tail_ = q;
				}
				q->next_ = p->next_;
				delete p;
				return;
			}
			else
			{
				q = p;
				p = p->next_;
			}
		}
	}

	//查询
	bool Find(int val) const
	{
		Node* p = head_->next_;
		while (p != head_)
		{
			if (p->data_ == val)
			{
				return true;
			}
			p = p->next_;
		}
		return false;
	}

	//打印链表
	void Show() const
	{
		Node* p = head_->next_;
		while (p != head_)
		{
			cout << p->data_<<" ";
			p = p->next_;
		}
		cout << endl;
	}


private:
	struct Node
	{
		Node(int data=0):data_(data),next_(nullptr){}
		int data_;
		Node* next_;
	};

	Node* head_;//指向头节点
	Node* tail_;//指向尾节点
};



int main() {

	CircleLink clink;
	srand(time(0));
	
	clink.InsertHead(100);

	for (int i = 0; i < 10; i++)
	{
		clink.InsertTail(rand() % 100);
	}

	clink.InsertTail(200);
	clink.Show();
	clink.Remove(200);
	clink.InsertTail(300);
	clink.Show();

	


	return 0;
}


总结

今天主要给大家介绍了单向循环链表,与普通链表不同的时,单项循环链表的末尾节点的指针域指向的下一个节点不再为nullptr,而是为头结点。


欢迎分享,转载请注明来源:内存溢出

原文地址: http://outofmemory.cn/langs/568037.html

(0)
打赏 微信扫一扫 微信扫一扫 支付宝扫一扫 支付宝扫一扫
上一篇 2022-04-09
下一篇 2022-04-09

发表评论

登录后才能评论

评论列表(0条)

保存