时间限制:1秒 空间限制:32768K 热度指数:25160
本题知识点: 链表
** 算法知识视频讲解
题目描述
输入一个链表,从尾到头打印链表每个节点的值。
利用dfs即可
代码如下:
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) :
* val(x), next(NULL) {
* }
* };
*/
class Solution {
public:
void dfs(ListNode* head,vector<int>&v){
if(head==NULL)return;
dfs(head->next,v);
v.push_back(head->val);
}
vector<int> printListFromTailToHead(ListNode* head) {
vector<int>v;
dfs(head,v);
return v;
}
};