题目
给你一个链表,两两交换其中相邻的节点,并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题(即,只能进行节点交换)。
示例 1:
输入:head = [1,2,3,4]
输出:[2,1,4,3]
解
java
class Solution {
public ListNode swapPairs(ListNode head) {
if (head == null || head.next == null) {
return head;
}
ListNode dummy = new ListNode(0);
dummy.next = head;
ListNode p1 = dummy;
ListNode p2 = head;
ListNode p3 = head.next;
ListNode next = null;
while (p3 != null) {
next = p3.next;
p1.next = p3;
p3.next = p2;
p2.next = next;
p1 = p2;
p2 = next;
p3 = p2 == null ? null : p2.next;
}
return dummy.next;
}
}