顺序容器:双向链表 list

1、双向列表的成员函数

双向链表list在任何位置插入删除都是常数时间,不支持随机存取,即不支持[]。随机访问的时间复杂度比较高,因此STL设计者为了防止随机存取被滥用,直接拒绝了随机访问。

双向列表list除了具有所有顺序容器都有的成员函数以外,还支持8个成员函数:

  • push_front: 在前面插入
  • pop_front:删除前面的元素
  • sort: 排序( list 不支持 STL 的算法 sort,而是自身有sort 算法)
  • remove: 删除和指定值相等的所有元素
  • unique: 删除所有和前一个元素相同的元素(要做到所有元素不重复,则 unique之前必须需要 sort)
  • merge:合并两个链表,并清空被合并的那个
  • reverse: 颠倒链表
  • splice:在指定位置前面插入另一链表中的一个或多个元素,并在另 一链表中删除被插入的元素

2、双向列表举栗子

#include <list>
#include <iostream>
#include <algorithm>
using namespace std;
class A {
private:
	int n;
public:
	A( int n_ ) { n = n_; }
	friend bool operator<( const A & a1, const A & a2);
	friend bool operator==( const A & a1, const A & a2);
	friend ostream & operator <<(ostream & o, const A & a);
};

bool operator<( const A & a1, const A & a2) {
	return a1.n < a2.n;
}
bool operator==( const A & a1, const A & a2) {
	return a1.n == a2.n;
}
ostream & operator <<(ostream & o, const A & a) {
	o << a.n;
	return o;
}

//遍历列表
template <class T>
void PrintList(const list<T> & lst) {//不推荐的写法,还是用两个迭代器作为参数更好
	int tmp = lst.size();
	if( tmp > 0) {
		typename list<T>::const_iterator i;
		i = lst.begin();
		for( i = lst.begin();i != lst.end(); i ++)
			cout << * i << ",";
	}
}

// 对双向列表list 可以执行额操作:
int main(){
	list<A> lst1,lst2;//列表中每一个元素都是A类型的对象
	lst1.push_back(1);lst1.push_back(3);
	lst1.push_back(2);lst1.push_back(4);
	lst1.push_back(2);
//class中写了类型转换构造函数,因此可以直接push数字进去。
	lst2.push_back(10);lst2.push_front(20);
	lst2.push_back(30);lst2.push_back(30);
	lst2.push_back(30);lst2.push_front(40);
	lst2.push_back(40);
	cout << "1) "; PrintList( lst1); cout << endl;// 1) 1,3,2,4,2,
	cout << "2) "; PrintList( lst2); cout << endl;// 2) 40,20,10,30,30,30,40,
	lst2.sort();
	cout << "3) "; PrintList( lst2); cout << endl;//3) 10,20,30,30,30,40,40,
	lst2.pop_front();
	cout << "4) "; PrintList( lst2); cout << endl;//4) 20,30,30,30,40,40,
	lst1.remove(2); //删除所有和A(2)相等的元素
	cout << "5) "; PrintList( lst1); cout << endl;//5) 1,3,4,
	lst2.unique();//删除所有和前一个元素相等的元素
	cout << "6) "; PrintList( lst2); cout << endl;//6) 20,30,40,
	lst1.merge (lst2);//合并 lst2到lst1并清空lst2
	cout << "7) "; PrintList( lst1); cout << endl;//7) 1,3,4,20,30,40,
	cout << "8) "; PrintList( lst2); cout << endl;//8)
	lst1.reverse();
	cout << "9) "; PrintList( lst1); cout << endl;//9) 40,30,20,4,3,1,
	lst2.push_back (100);lst2.push_back (200);
	lst2.push_back (300);lst2.push_back (400);
	list<A>::iterator p1,p2,p3;
	p1 = find(lst1.begin(),lst1.end(),3);
	p2 = find(lst2.begin(),lst2.end(),200);
	p3 = find(lst2.begin(),lst2.end(),400);
	lst1.splice(p1,lst2,p2, p3);//将[p2,p3)插入p1之前,并从lst2中删除[p2,p3)
	cout << "10) "; PrintList( lst1); cout << endl;//10) 40,30,20,4,200,300,3,1,
	cout << "11) "; PrintList( lst2); cout << endl;//11) 100,400,
	return 0;
}

//注意:在使用模板容器定义迭代器时,需要加前缀typename,typename用来说明list<T>::const_iterator是个类型(dev c++需要写这个前缀),在vs中不写也可以

原文地址:https://www.cnblogs.com/lasnitch/p/12764216.html