leetcode-剑指offer06-从尾到头打印链表

题目描述:
在这里插入图片描述
解决思路:
题目要求从尾到头打印链表,思路:借助栈来实现。
栈遵循先进后出的的原则,正好适用于将链表的数据存储到栈中,然后打印栈就可得到题目要求。

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    
    
    public int[] reversePrint(ListNode head) {
    
    
        Stack<ListNode> stack = new Stack<ListNode>();
        ListNode temp = head;
        while (temp != null) {
    
    
            stack.push(temp);
            temp = temp.next;
        }
        int size = stack.size();
        int[] print = new int[size];
        for (int i = 0; i < size; i++) {
    
    
            print[i] = stack.pop().val;
        }
        return print;
    }
}

猜你喜欢

转载自blog.csdn.net/weixin_42856363/article/details/105114169