題目描述
輸入一個(gè)鏈表冀宴,按鏈表值從尾到頭的順序返回一個(gè)ArrayList敛摘。
思路
將鏈表的val存到stack里吓著,在輸出到vector里面讨彼。
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) :
* val(x), next(NULL) {
* }
* };
*/
class Solution {
public:
vector<int> printListFromTailToHead(ListNode* head) {
vector<int> vec;
vec.clear();
if(head == NULL)
return vec;
std::stack<int> s;
while(head != NULL)
{
s.push(head->val);
head = head->next;
}
while(!s.empty())//注意棧的循環(huán)條件
{
vec.push_back(s.top());
s.pop();
}
return vec;
}
};