赞
踩
因为list结构的特殊性,所以拆分为结点、迭代器和list本身进行学习。
细节:
template<class T>
struct __list_node
{
__list_node<T>* _prev;
__list_node<T>* _next;
T _data;
__list_node(const T& x = T())
: _prev(nullptr)
, _next(nullptr)
, _data(x)
{}
};
由于list的每个结点物理空间不连续,导致迭代器不能像之前string、vector那样简单的设计为指针,而是设计为一个类(进行封装),以此完成*、->、++、–等一系列操作。
细节:
template<class T, class Ref, class Ptr>
struct __list_iterator
{
typedef __list_node<T> node;
typedef __list_iterator<T, Ref, Ptr> self;
node* _node;
__list_iterator(node* n)
: _node(n)
{}
};
此时的迭代器设计,可以说是list乃至STL的精华,天才般地运用了类的优势。
细节:
Ref operator*()
{
return _node->_data;
}
细节:
Ptr operator->()
{
return &_node->_data;
}
细节:
self& operator++()//前置++
{
_node = _node->_next;
return *this;
}
self operator++(int)//后置++
{
self tmp(*this);
_node = _node->_next;
return tmp;
}
细节:同上
self& operator--()//前置--
{
_node = _node->_prev;
return *this;
}
self operator--(int)//后置--
{
self tmp(*this);
_node = _node->_prev;
return tmp;
}
bool operator!=(const self& s)
{
return _node != s._node;
}
bool operator==(const self& s)
{
return _node == s._node;
}
list类包含了
template<class T>
class list
{
public:
typedef __list_node<T> node;
private:
node* _head;
};
typedef __list_iterator<T, T&, T*> iterator;
typedef __list_iterator<T, const T&, const T*> const_iterator;
细节:
iterator begin()
{
return iterator(_head->_next);
}
const_iterator begin() const
{
return const_iterator(_head->_next);
}
细节:
iterator end()
{
return iterator(_head);
}
const_iterator end() const
{
return const_iterator(_head);
}
空初始化:创建哨兵位
void empty_init()
{
_head = new node;
_head->_prev = _head;
_head->_next = _head;
}
无参构造
list()
{
empty_init();
}
迭代器区间构造
细节:使用类模板,可以传任意类型的迭代器
template <class InputIterator>
list(InputIterator first, InputIterator last)
{
empty_init();
while (first != last)
{
push_back(*first);
++first;
}
}
~list()
{
clear();
delete _head;
_head = nullptr;
}
现代写法
细节:
list(const list<T>& lt)
{
empty_init();
list<T> tmp(lt.begin(), lt.end());
swap(tmp);
}
现代写法
细节:
list<T>& operator=(list<T> lt)
{
swap(lt);
return *this;
}
指定位置插入
细节:
void insert(iterator pos, const T& x)
{
node* cur = pos._node;
node* prev = cur->_prev;
node* new_node = new node(x);
prev->_next = new_node;
new_node->_prev = prev;
cur->_prev = new_node;
new_node->_next = cur;
}
头插
void push_front(const T& x)
{
insert(begin(), x);
}
尾插
void push_back(const T& x)
{
insert(end(), x);
}
指定位置删除
细节:
iterator erase(iterator pos)
{
assert(pos != end());
node* cur = pos._node;
node* prev = cur->_prev;
node* next = cur->_next;
prev->_next = next;
next->_prev = prev;
delete cur;
return iterator(next);
}
void pop_front()
{
erase(begin());
}
void pop_back()
{
erase(--end());
}
清除所有结点(除哨兵位以外)
void clear()
{
iterator it = begin();
while (it != end())
{
erase(it++);
}
}
交换两个list类的值
细节:使用std库中的swap函数,交换各个成员变量的值
void swap(list<T>& lt)
{
std::swap(_head, lt._head);
}
学习完list类,对于STL中的精华——迭代器设计,有了更深一步的了解。同时,了解多参数模板的用途和方法,极大提高代码复用程度。
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。