链表的气泡排序算法
我编写了一个气泡排序算法来对链表进行排序。我是Java初学者,试图学习数据结构。我很困惑为什么我的第二个元素没有正确排序。
class SListNode {
Object item;
SListNode next;
SListNode(Object obj) {
item = obj;
next = null;
}
SListNode(Object obj, SListNode next) {
item = obj;
this.next = next;
}
}
public class SList {
private SListNode head;
private SListNode temp;
public void sortList() {
SListNode node = head, i, j;
head = node;
i = node;
j = node.next;
while (i.next != null) {
while (j.next != null) {
if ((Integer) i.item < (Integer) j.item) {
temp = i.next;
i.next = j.next;
j.next = temp;
}
j = j.next;
}
i = i.next;
}
}
}
这是我得到的输出
List after construction: [ 3 6 9 4 12 15 ]
After sorting: [ 3 4 9 12 6 15 ]
此外,我知道气泡排序的最坏情况是O(n2)。是否可以在链表上使用 mergesort 来获得更好的时间复杂性?