【힘줄】206.체인 테이블 반전

4419 단어 LEETCODE
제목: 단일 체인 시계를 반전합니다.
예:
입력: 1->2->3->4->5->NULL 출력: 5->4->3->2->1->NULL
진급: 체인 시계를 교체하거나 귀속적으로 반전할 수 있습니다.너는 두 가지 방법으로 이 문제를 해결할 수 있니?

교체하다

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode reverseList(ListNode head) {// 
        if(head == null) return null;
        if(head.next == null) return head;
        ListNode pre = null;
        while(head.next != null){
            ListNode rear = head.next;
            head.next = pre;
            pre = head;
            head = rear;
        }
        head.next = pre;
        return head;
    }
}

차례로 돌아가다

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode reverseList(ListNode head) {// 
        if(head == null || head.next == null) return head;
        ListNode pre = reverseList(head.next);
        head.next.next = head;
        head.next = null;
        return pre;
    }
}

좋은 웹페이지 즐겨찾기