题目描述
输入一个链表,按链表值从尾到头的顺序返回一个ArrayList。
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) :
* val(x), next(NULL) {
* }
* };
*/
class Solution {
public:
vector<int> printListFromTailToHead(ListNode* head) {
vector<int> ans;
stack<ListNode*> flag;
while(head)
{
flag.push(head);
head = head->next;
}
int len= flag.size();
for(int i =0;i<len;i++)
{
ListNode* node = flag.top();
ans.push_back(node->val);
flag.pop();
}
return ans;
}
};