题目:输入一个链表的头节点,从尾到头反过来返回每个节点的值(用数组返回)。
示例:
输入:head = [1,3,2] 输出:[2,3,1]
解题思路:
方法1:使用栈
先将链表中数据依次压栈,然后再依次从栈中取出数据到数组中。
代码
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
vector<int> reversePrint(ListNode* head) {
stack<int>reverse;
while(head)
{
reverse.push(head->val);
head = head->next;
}
vector<int>newList;
while(!reverse.empty())
{
newList.push_back(reverse.top());
reverse.pop();
}
return newList;
}
};
方法2:递归
终止条件:head==None时返回空列表
循环条件:每次获取除当前节点外后面所有节点倒序后的数组,然后再在数组中加入当前节点。
代码
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
vector<int> reversePrint(ListNode* head) {
if(!head)
{
return {};
}
vector<int>rever = reversePrint(head->next);
rever.push_back(head->val);
return rever;
}
};