题目描述
输入一个链表,按链表从尾到头的顺序返回一个ArrayList。
stack中转
存储倒序链表的值,首先想到的想法是顺序遍历将值存到堆栈中,再将值从堆栈转到vector中。
时间复杂度O(n),空间复杂度O(n)。
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) :
* val(x), next(NULL) {
* }
* };
*/
class Solution {
public:
vector<int> printListFromTailToHead(ListNode* head) {
stack<int> s;
while (head != NULL)
{
s.push(head->val);
head = head->next;
}
vector<int> v;
while (!s.empty())
{
v.push_back(s.top());
s.pop();
}
return v;
}
};
递归
既然使用到了stack,那么也可以利用递归的概念。
时间复杂度O(n),空间复杂度O(n)。
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) :
* val(x), next(NULL) {
* }
* };
*/
class Solution {
public:
vector<int> list;
vector<int> printListFromTailToHead(ListNode* head) {
if (head != NULL)
{
printListFromTailToHead(head->next);
list.push_back(head->val);
}
return list;
}
};