实现Java代码,设计一个函数,其功能为实现单链表中的所有节点按元素值进行排序,同时编制一设计一个函数,其功能为实现单链表中的所有节点按元素值进行排序,同时编制一个主程序,并对该函数的功能进行测试。
时间: 2023-05-22 10:01:08 浏览: 94
基于Java实现的单链表基本操作之链表排.zip
好的,以下是实现单链表中的所有节点按元素值进行排序的 Java 代码:
```java
public class ListNode {
int val;
ListNode next;
ListNode(int x) { val = x; }
}
public class SortLinkedList {
public ListNode sortList(ListNode head) {
if (head == null || head.next == null) {
return head;
}
ListNode slow = head;
ListNode fast = head.next;
while (fast != null && fast.next != null) {
slow = slow.next;
fast = fast.next.next;
}
ListNode mid = slow.next;
slow.next = null;
ListNode left = sortList(head);
ListNode right = sortList(mid);
return merge(left, right);
}
private ListNode merge(ListNode l1, ListNode l2) {
ListNode dummy = new ListNode(0);
ListNode cur = dummy;
while (l1 != null && l2 != null) {
if (l1.val < l2.val) {
cur.next = l1;
l1 = l1.next;
} else {
cur.next = l2;
l2 = l2.next;
}
cur = cur.next;
}
if (l1 != null) {
cur.next = l1;
}
if (l2 != null) {
cur.next = l2;
}
return dummy.next;
}
}
public class Main {
public static void main(String[] args) {
ListNode head = new ListNode(4);
head.next = new ListNode(2);
head.next.next = new ListNode(1);
head.next.next.next = new ListNode(3);
SortLinkedList sll = new SortLinkedList();
ListNode sorted = sll.sortList(head);
while (sorted != null) {
System.out.print(sorted.val + " ");
sorted = sorted.next;
}
}
}
```
这段代码中,我们使用归并排序的思想对单链表进行排序。主要思路是将链表分成两半,对每一半进行递归排序,然后将两个有序链表合并成一个有序链表。在合并的过程中,我们使用了一个 dummy 节点和一个 cur 节点来构建新的链表。
以上是对问题的回答,希望能够帮到您。
阅读全文