yallist专题
# 介绍
双向链表
PS:其实es5 Array就可以模拟了。
removeNode 方法可以采用 arr.splice(arr.indexOf(obj),1)
unshiftNode 方法可以采用 arr.splice(arr.indexOf(obj),1);arr.unshift(obj)
PS2:。。当数组足够大时,指针操作比数组操作快。
# 使用
npm install yallist
var yallist = require('yallist')
var myList = yallist.create([1, 2, 3])
myList.push('foo')
myList.unshift('bar')
// of course pop() and shift() are there, too
console.log(myList.toArray()) // ['bar', 1, 2, 3, 'foo']
myList.forEach(function (k) {
// walk the list head to tail
})
myList.forEachReverse(function (k, index, list) {
// walk the list tail to head
})
var myDoubledList = myList.map(function (k) {
return k + k
})
// now myDoubledList contains ['barbar', 2, 4, 6, 'foofoo']
// mapReverse is also a thing
var myDoubledListReverse = myList.mapReverse(function (k) {
return k + k
}) // ['foofoo', 6, 4, 2, 'barbar']
var reduced = myList.reduce(function (set, entry) {
set += entry
return set
}, 'start')
console.log(reduced) // 'startfoo123bar'
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
# 源码解析
每个节点Node的数据结构为
{
value:
prev:
next:
list://指向yallist对象
}
function Node (value, prev, next, list) {
if (!(this instanceof Node)) {
return new Node(value, prev, next, list)
}
this.list = list
this.value = value
if (prev) {
prev.next = this
this.prev = prev
} else {
this.prev = null
}
if (next) {
next.prev = this
this.next = next
} else {
this.next = null
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
链表list维护的数据结构为:
{
head:
tail:
length:
}
//通过访问头指针head和尾指针去操作Node
1
2
3
4
5
6
2
3
4
5
6
主要就是增删的时候记得指针的指向就好了。
编辑 (opens new window)
上次更新: 2024/09/01, 23:56:56