Skip to content

Latest commit

 

History

History
87 lines (67 loc) · 2.04 KB

File metadata and controls

87 lines (67 loc) · 2.04 KB

English Version

题目描述

给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。

你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。

 

示例:

给定 1->2->3->4, 你应该返回 2->1->4->3.

解法

Python3

# Definition for singly-linked list.
# class ListNode:
#     def __init__(self, val=0, next=None):
#         self.val = val
#         self.next = next
class Solution:
    def swapPairs(self, head: ListNode) -> ListNode:
        dummy = ListNode(next=head)
        pre, cur = dummy, head
        while cur and cur.next:
            pre.next = cur.next
            t = cur.next.next
            cur.next.next = cur
            cur.next = t
            pre = cur
            cur = cur.next
        return dummy.next

Java

/**
 * 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) {
        ListNode dummy = new ListNode(0, head);
        ListNode pre = dummy, cur = head;
        while (cur != null && cur.next != null) {
            pre.next = cur.next;
            ListNode t = cur.next.next;
            cur.next.next = cur;
            cur.next = t;
            pre = cur;
            cur = cur.next;
        }
        return dummy.next;
    }
}

...