Leetcode 206) Reverse Linked List

image

내 풀이

/**
 * 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 reverseList(ListNode head) {
        ListNode curr =head;
        ListNode prev = null;

        while(curr!=null){
            ListNode temp=curr.next;
            curr.next=prev;
            prev=curr;
            //아 이 다음줄 코드! 잘못 생각하고 있었다. 
            // curr= curr.next가 이미 바뀌었는데, curr.next 사용하고 있었음. temp에 저장된 값으로 지정해줘야한다.
            curr=temp;
        }
        return prev;    
    }
}

다른 답안

  • 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) {
            return head;
        }
        ListNode currentHead = head;
        while (head.next != null) {
            ListNode p = head.next;
            head.next = p.next;
            p.next = currentHead;
            currentHead = p;
        }
        return currentHead;
    }
}

빨간색은 내 풀이

파란색은 다른 풀이

  • 뒤에랑 끊기지 않는다.

image


© 2018. All rights reserved.

Powered by Hydejack v8.5.2