1. 程式人生 > 實用技巧 >LeetCode24. 兩兩交換連結串列中的節點

LeetCode24. 兩兩交換連結串列中的節點

兩兩交換連結串列中的節點

給定一個連結串列,兩兩交換其中相鄰的節點,並返回交換後的連結串列。

你不能只是單純的改變節點內部的值,而是需要實際的進行節點交換。

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

輸入:head = []
輸出:[]
示例 3:

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

思路

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode() : val(0), next(nullptr) {}
 *     ListNode(int x) : val(x), next(nullptr) {}
 *     ListNode(int x, ListNode *next) : val(x), next(next) {}
 * };
 */
class Solution {
public:
    ListNode* swapPairs(ListNode* head) {
        if(head == nullptr || head->next == nullptr) return head;
        ListNode* newHead = head->next;
        head->next = swapPairs(newHead->next);
        newHead->next = head;
        return newHead;
    }
};

連結

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/swap-nodes-in-pairs