题目链接
leetcode在线oj题——两两交换链表中的节点
题目描述
给你一个链表,两两交换其中相邻的节点,并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题(即,只能进行节点交换)。
题目示例
输入:head = [1,2,3,4]
输出:[2,1,4,3]
输入:head = []
输出:[]
输入:head = [1]
输出:[1]
题目提示
- 链表中节点的数目在范围 [0, 100] 内
- 0 <= Node.val <= 100
解题思路
如果链表为空,或者链表只有一个节点,那么返回头节点即可
由于我们的链表是单向链表,因此必须定义三个变量来更改节点间的连接顺序——prev,cur,next
初始化prev为空,cur为head,next为head.next
如果cur为头节点,那么直接让头节点为next
如果cur不是头节点,prev.next = next
接着改变节点其他连接关系:
prev.next = next
cur.next = next.next
next.next = cur;
往后进行迭代:
prev = cur;
cur = cur.next;
next = cur.next;
在上一步中,cur可能已经变成空了,如果访问null.next会造成空指针异常,因此要进行判定cur不为空后再对next进行迭代
代码
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode swapPairs(ListNode head) {
if(head == null || head.next == null){
return head;
}
ListNode prev = null;
ListNode cur = head;
ListNode next = head.next;
while(next != null){
if(cur == head){
head = next;
} else {
prev.next = next;
}
cur.next = next.next;
next.next = cur;
prev = cur;
cur = cur.next;
if(cur == null){
break;
}
next = cur.next;
}
return head;
}
}