反轉連結串列(遞迴與棧)

HowieLee59發表於2018-10-24

輸入一個連結串列,反轉連結串列後,輸出新連結串列的表頭。

1)

使用一個棧來實現:

/*
public class ListNode {
    int val;
    ListNode next = null;

    ListNode(int val) {
        this.val = val;
    }
}*/
import java.util.*;
public class Solution {
    public ListNode ReverseList(ListNode head) {
        if(head == null || head.next == null){
            return head;
        }
        Stack<ListNode> stack = new Stack<ListNode>();
        ListNode pre = null;
        while(head.next != null){
            stack.push(head);
            head = head.next;
        }
        pre = head;
        while(!stack.isEmpty()){
            head.next = stack.pop();
            head = head.next;
        }
        head.next = null;
        return pre;
    }
}

2)使用遞迴的方式來實現

/*
public class ListNode {
    int val;
    ListNode next = null;
 
    ListNode(int val) {
        this.val = val;
    }
}*/
public class Solution {
    public ListNode ReverseList(ListNode head) {
       ListNode firstNode; 
        if(head==null)return null;
        if(head.next==null){
            firstNode=head;
            return head;
        }
        ListNode q=head.next;
         
        ListNode ph=ReverseList(q);
        q.next=head;
        head.next=null;
         
        return ph;
    }
}

 

相關文章