力扣hot100 两两交换链表中的节点 双指针

发布时间:2024年01月24日

Problem: 24. 两两交换链表中的节点
在这里插入图片描述

复杂度

时间复杂度: O ( n ) O(n) O(n)

空间复杂度: O ( 1 ) O(1) O(1)

Code

/**
 * 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)
			return head;
		ListNode pre = new ListNode(0, head);//前驱节点 执行 first
		ListNode ans = pre;
		ListNode first = pre.next;// 第一个节点

		while (first.next != null)
		{
			ListNode second = first.next;// 第二个节点
			ListNode tail = second.next;// 后续节点
			//交换第一、二个节点
			pre.next = second;
			second.next = first;
			//把后续的节点接到交换后的 first 节点上
			first.next = tail;
			pre = first;// pre 为交换后靠后的 first节点
            first = pre.next;//first = pre.next;
			if (tail == null)//后续无节点了直接结束
				break;
		}
		return ans.next;
	}
}
文章来源:https://blog.csdn.net/lt6666678/article/details/135821651
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。