我有以下Node构造函数:
const Node = function(data){
this.data = data
this.next = null
this.previous = null
}
在我的LinkedList构造函数中使用:
const LinkedList = function(){
this.head = new Node('head')
}
我可以使用以下方法插入节点:
LinkedList.prototype.insert = function(item,after){
const newNode = new Node(item)
const curr = after ? this.find(after) : this.head
newNode.next = curr.next
newNode.previous = curr
curr.next = newNode
}
使用find
方法:
LinkedList.prototype.find = function(item){
let currentNode = this.head
while(currentNode && currentNode.data !== item){
currentNode = currentNode.next
}
return currentNode
}
可以使用以下方法将项目视为数组:
LinkedList.prototype.toArray = function(){
const arr = []
let currItem = this.head.next
while(currItem){
arr.push(currItem.data)
currItem = currItem.next
}
return arr
}
我现在的问题是我正在尝试在LinkedList上实现switch
函数,我可以在其中传递两个值并在列表中切换它们的位置。以下是我所拥有的内容,它似乎适用于彼此不相邻的项目:
LinkedList.prototype.switch = function(a,b){
const aNode = this.find(a),
bNode = this.find(b)
if(!aNode || !bNode){
throw new Error('Both nodes were not inside of the list')
}
const aNext = aNode.next,
aPrevious = aNode.previous,
bNext = bNode.next,
bPrevious = bNode.previous
aNode.next = bNext
aNode.previous = bPrevious
aNode.previous.next = aNode
bNode.next = aNext
bNode.previous = aPrevious
bNode.previous.next = bNode
}
我想知道我在这里做错了什么导致我在交换彼此相邻的元素时让我的计算机命中无限递归。例如,下面的代码行有效:
const list = new LinkedList()
list.insert(1)
list.insert(2,1)
list.insert(3,2)
list.switch(1,3)
list.toArray() // [3,2,1]
但是如果我有以下代码,那么
const list = new LinkedList()
list.insert(1)
list.insert(2,1)
list.switch(1,2)
list.toArray() // crashes terminal
我知道这是switch
方法中的一个愚蠢的逻辑错误,但我不能为我的生活弄清楚是什么。
答案 0 :(得分:1)
我看到的问题出在你的插入功能中。如果您有一个包含两个项目的链接列表,并且您调用insert('New Node',null),则列表如下所示:
您仍然需要将以前指针设置为新节点,如下所示:
body, table.body, h1, h2, h3, h4, h5, h6, p, td, th, a {
text-align: left;
}
答案 1 :(得分:0)
如果bNode.previous
为null
,并且您指定如下,
aNode.previous = bPrevious
aNode.previous.next = aNode
然后您尝试访问导致崩溃的next
null
字段。