golang Container包解析
container包 包含了共三种数据结构,即:heap,list,ring
list源码解析
1.遍历list
for e := l.Front(); e != nil; e = e.Next(){
//do something with e.Value
}
2. Element结构体
// Element is an element of a linked list.
type Element struct {
// Next and previous pointers in the doubly-linked list of elements.
// To simplify the implementation, internally a list l is implemented
// as a ring, such that &l.root is both the next element of the last
// list element (l.Back()) and the previous element of the first list
// element (l.Front()).
next, prev *Element
// The list to which this element belongs.
list *List
// The value stored with this element.
Value interface{
}
}
其中包含三部分
-
第一部分为结构体指针,指向上下两个关联节点,因而go中的list是一个双向链表
-
第二部分是一个list指针,表明这个元素是属于哪个链表,因而自定义节点无法随意插入已有链表中。
-
第三部分是数据存储位,存储元素数据,类型为空接口,即泛型。
2.1 Element操作实现
Next和Prev操作简单来说就是首先将节点指向上下节点,此时判断当前节点对应的list字段是否为空或是否是根节点,若不是则有效返回。
3.List结构体
// List represents a doubly linked list.
// The zero value for List is an empty list ready to use.
type List struct {
root Element // sentinel list element, only &root, root.prev, and root.next are used
len int // current list length excluding (this) sentinel element
}
- root表示根节点元素,len表示长度
3.1 初始化
// Init initializes or clears list l.
func (l *List) Init() *List {
l.root.next = &l.root
l.root.prev = &l.root
l.len = 0
return l
}
通过一个List的指针来调用init函数,首先将其头尾设置为本身,len设为0,并返回该list
// New returns an initialized list.
func New() *List {
return new(List).Init() }
初始化实际上和New是结合在一起的,list的New函数即通过调用builtin的内建new进行内存分配,创建一个分配zero value的指针,并通过指针调用Init函数完成初始化
// lazyInit lazily initializes a zero List value.
func (l *List) lazyInit()