-
Notifications
You must be signed in to change notification settings - Fork 1
/
006-从尾到头打印链表.cpp
40 lines (39 loc) · 1.05 KB
/
006-从尾到头打印链表.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) :
* val(x), next(NULL) {
* }
* };
*/
class Solution {
public:
//使用栈结构的方法
vector<int> printListFromTailToHead(ListNode* head) {
stack<ListNode*> nodes;//由于链表结构简单,用一个辅助变量即可,可以不用栈
ListNode *pNode=head;
while(pNode!=NULL){
nodes.push(pNode);
pNode=pNode->next;
}
//为了效率使用静态vector,使用静态vector后不能使用push_back
vector<int> res(nodes.size());
int i=0;
while(!nodes.empty()){
pNode=nodes.top();
res[i++]=pNode->val;
nodes.pop();
}
return res;
}
//使用递归的方法
vector<int> res;
vector<int> printListFromTailToHead2(ListNode* head){
if(head!=NULL){
printListFromTailToHead2(head->next);
res.push_back(head->val);
}
return res;
}
};