1. 重排链表
      难度中等
      给定一个单链表 L 的头节点 head ,单链表 L 表示为:
      L0 → L1 → … → Ln - 1 → Ln

    请将其重新排列后变为:
    L0 → Ln → L1 → Ln - 1 → L2 → Ln - 2 → …
    不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。

    示例 1:

    输入:head = [1,2,3,4]
    输出:[1,4,2,3]
    示例 2:

    输入:head = [1,2,3,4,5]
    输出:[1,5,2,4,3]

    1. /**
    2. * Definition for singly-linked list.
    3. * public class ListNode {
    4. * int val;
    5. * ListNode next;
    6. * ListNode() {}
    7. * ListNode(int val) { this.val = val; }
    8. * ListNode(int val, ListNode next) { this.val = val; this.next = next; }
    9. * }
    10. */
    11. class Solution {
    12. public void reorderList(ListNode head) {
    13. if(head == null || head.next == null || head.next.next == null){
    14. return;
    15. }
    16. ListNode pre = null ;
    17. ListNode cur = head;
    18. while(cur.next != null){
    19. pre = cur;
    20. cur = cur.next;
    21. }
    22. ListNode sec = head.next;
    23. head.next = cur;
    24. cur.next = sec;
    25. pre.next = null;
    26. reorderList(sec);
    27. }
    28. }