連結串列與遞迴-LeetCode24-兩兩交換連結串列中的節點
阿新 • • 發佈:2018-12-04
題目
給定一個連結串列,兩兩交換其中相鄰的節點,並返回交換後的連結串列。
示例:
給定 1->2->3->4, 你應該返回 2->1->4->3.
說明:
你的演算法只能使用常數的額外空間。
你不能只是單純的改變節點內部的值,而是需要實際的進行節點交換。
思路
遞迴。具體看程式碼。
程式碼
/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode(int x) { val = x; } * } */ class Solution { public ListNode swapPairs(ListNode head) { if(head==null){ return head; } if(head.next==null){ return head; } ListNode temp=head.next; head.next=swapPairs(temp.next); temp.next=head; return temp; } }