数据结构和算法

链表 - LeetCode 06. 从尾到头打印链表

2023-11-01  本文已影响0人  我阿郑

输入一个链表的头节点,从尾到头反过来返回每个节点的值(用数组返回)。(0 <= 链表长度 <= 10000)

输入:head = [0,1,2]
输出:[2,1,0]

LCR 123. 图书整理 I

书店店员有一张链表形式的书单,每个节点代表一本书,节点中的值表示书的编号。为更方便整理书架,店员需要将书单倒过来排列,就可以从最后一本书开始整理,逐一将书放回到书架上。请倒序返回这个书单链表。

输入:head = [3,6,4,1]
输出:[1,4,6,3]

✅ 方法一:递归法

利用递归: 先走至链表末端,回溯时依次将节点值加入列表 ,这样就可以实现链表值的倒序输出。

class Solution {
    ArrayList<Integer> tmp = new ArrayList<Integer>();
    public int[] reversePrint(ListNode head) {
        recur(head);
        int[] res = new int[tmp.size()];
        for(int i = 0; i < res.length; i++)
            res[i] = tmp.get(i);
        return res;
    }
    void recur(ListNode head) {
        if(head == null) return;
        recur(head.next); // 递归至链表末端
        tmp.add(head.val); // 回溯
    }
}
image.png

算法流程:

✅ 方法二:辅助栈法

class Solution {
    public int[] reverseBookList(ListNode head) {
        // 创建栈
        Deque<Integer> stack = new LinkedList<Integer>();
        while(head != null) {
            stack.push(head.val); // 入栈
            head = head.next;
        }
        int[] res = new int[stack.size()];
        for(int i = 0; i < res.length; i++){
            res[i] = stack.pop(); // 出栈
        }   
        return res;
    }
}
image.png

算法流程:

复杂度分析:
时间复杂度 O(N): 入栈和出栈共使用O(N) 时间
空间复杂度 O(N): 辅助栈 stack 和数组 res 共使用 O(N) 的额外空间

上一篇下一篇

猜你喜欢

热点阅读