为什么此代码无法正常使用冒泡排序对链接列表进行排序?

时间:2017-02-20 05:52:47

标签: java sorting linked-list bubble-sort

我使用LinkedList实现了冒泡排序,如下所示。我无法为这个问题找到正确有效的解决方案。此代码需要进行哪些更改才能使效率更高。如果有人在链表上更好,更有效地实施冒泡排序,请提供。

class SortList {
    int size;
    Node head;
    class Node{
    int data;

    Node next;
    Node(int data){
        this.data = data;
        this.next = null;
        }
    Node(){
        this.data = 0;
        this.next = null;
    }
    }

    public void push(int d) {
        Node newNode = new Node();

        newNode.data = d;

        newNode.next = head;

        head = newNode;
        size++;
    }
    public void display(){
    Node n = head;
    while(n!=null){
        System.out.print(n.data +" ");

        n = n.next;
        }
    }
    public int getLength(){
        int count=0;
        Node n = head;
        while(n!=null){
            count++;
            n = n.next;
            }
            return count;
    }
    public int getLengthR(Node n){

            if(n==null) return 0;
            return 1+getLengthR(n.next);

    }
    public int getL(){
    return getLengthR(head);
    }
    public static void main(String[] args) {
        SortList ls = new SortList();
    int[]arrList = {5,2,7,3,1,2};
    for(int i=0;i<arrList.length;i++){
        ls.push(arrList[i]);
        }
        ls.display();

        ls.sortList();

        ls.display();
    }

    public void sortList(){
    if(size > 1){
        Node node = head;
        Node nextNode = head.next;
            for(int i=0;i<size;i++){

            for(int j=0;j<size - i - 1;j++){
                while(node.data > nextNode.data){
                    Node temp =node;
                    node = nextNode;
                    nextNode = temp;
                }
                node = nextNode;
                nextNode = nextNode.next;
            }
        }

        }
    }
}

1 个答案:

答案 0 :(得分:-2)

您应该查看评论中建议的StackOverFlow答案。我使用稍微不同的策略修改了你的排序方法。我交换了节点中的值,而不是交换节点。这可能并不总是适用,因为可能存在与您未用于排序目的的节点相关联的其他数据,这些节点可能也需要交换。

基本上,下面的方法是在每次传递后将列表的大小减少一个。这是通过使用变量terminal跟踪刚刚放入正确位置的节点来完成的。

public void sortList(){
    if(size > 1){
        Node terminal = null; 
        while (head.next != terminal) {
            Node node = head;
            Node nextNode = head.next;

            while (nextNode != terminal) {
                if(node.data > nextNode.data){
                    int temp =node.data;
                    node.data = nextNode.data;
                    nextNode.data = temp;
                }
                node = nextNode;
                nextNode = nextNode.next;
            }
            terminal = node;
        }
    }
}