【中等】24. 两两交换链表中的节点

2023-12-15 17:41:17

题目

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

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

示例 2:
输入:head = []
输出:[]

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

提示:

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

解题

基本链表操作,并不难

func swapPairs(head *ListNode) *ListNode {
    dummy := &ListNode{Next:head}

    cur := dummy

    for cur.Next!=nil && cur.Next.Next!=nil {
        one, two := cur.Next, cur.Next.Next
        one.Next = two.Next
        cur.Next = two
        two.Next = one
        cur = one

    }

    return dummy.Next
}
func swapPairs(head *ListNode) *ListNode {

    if head==nil || head.Next == nil{
        return head
    }

    tail := head.Next
    head.Next = swapPairs(tail.Next)
    tail.Next = head
    return tail
}

题解

与题解很像了,真八错 (*^▽^*)
实际上也确实没啥可出入的了……

方法一:递归

func swapPairs(head *ListNode) *ListNode {
    if head == nil || head.Next == nil {
        return head
    }
    newHead := head.Next
    head.Next = swapPairs(newHead.Next)
    newHead.Next = head
    return newHead
}

作者:力扣官方题解
链接:https://leetcode.cn/problems/swap-nodes-in-pairs/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

时间:O(n)
空间:O(n)

方法二:迭代

func swapPairs(head *ListNode) *ListNode {
    dummyHead := &ListNode{0, head}
    temp := dummyHead
    for temp.Next != nil && temp.Next.Next != nil {
        node1 := temp.Next
        node2 := temp.Next.Next
        temp.Next = node2
        node1.Next = node2.Next
        node2.Next = node1
        temp = node1
    }
    return dummyHead.Next
}

作者:力扣官方题解
链接:https://leetcode.cn/problems/swap-nodes-in-pairs/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

时间:O(n)
空间:O(1)

长进

  1. 多考虑考虑递归法

文章来源:https://blog.csdn.net/Miller_6/article/details/135020783
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。