Leetcode-每日一题【24.两两交换链表中的节点】

题目

给你一个链表,两两交换其中相邻的节点,并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题(即,只能进行节点交换)。

示例 1:

Leetcode-每日一题【24.两两交换链表中的节点】_第1张图片

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


示例 2:

输入:head = []
输出:[]


示例 3:

输入:head = [1]
输出:[1]

 

提示:

  • 链表中节点的数目在范围 [0, 100] 内
  • 0 <= Node.val <= 100

解题思路

1.判断链表的头节点和头节点的下一个节点是否为null,若为null返回头节点

2.设置一个虚拟头节点 dummy 令 dummy.next == head,再设置一个 cur 节点对需要处理的链表用while进行遍历,直到cur.next == null && cur.next.next == null;

3.设置一个 chge节点指向cur.next节点(也就是我们要进行交换的节点),为了防止后面还未交换的节点丢失,我们设置一个last节点指向chge后还未交换的节点。

4.对cur节点和chge节点进行交换,直到while循环结束,返回dummy.next

代码实现

class Solution {
    public ListNode swapPairs(ListNode head) {
        if(head == null || head.next == null){
            return head;
        }
       ListNode dummy = new ListNode(0);
       dummy.next = head;
       ListNode cur = dummy;
       while(cur.next != null && cur.next.next != null){
           ListNode chge = cur.next;
           ListNode last = cur.next.next;
           chge.next = last.next;
           cur.next = last;
           last.next = chge;
           cur = cur.next.next;
       } 
       return dummy.next;
    }
}

测试结果

Leetcode-每日一题【24.两两交换链表中的节点】_第2张图片

Leetcode-每日一题【24.两两交换链表中的节点】_第3张图片 

 

你可能感兴趣的:(算法每日一题,leetcode,链表,算法,java,数据结构)