题目地址
解题思路
解法一思路:
遍历链表并保持每个节点的val
值,最后利用reverse()
函数将val
值反转。
需要特别注意的是:我再解法一 中有一个特别不好的习惯,我直接对head指针进行next操作,而没有定义一个指针指向head之后再进行操作,这样不太好。
解法二思路:
利用栈来实现:即用栈保存每个节点的值,最后依次pop
出来,并将其保存到vector
中。
代码实现(C++)
解法一:
/**
* 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)
{
vector<int> res;
if(head==NULL)
{
return res;
}
while(head->next!=NULL)
{
res.push_back(head->val);
head=head->next;
}
res.push_back(head->val);
reverse(res.begin(),res.end());
return res;
}
};
解法二:
/**
* 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> st;
vector<int> res;
ListNode* ptr=head;
while(ptr)
{
st.push(ptr->val);
ptr=ptr->next;
}
while(!st.empty())
{
res.push_back(st.top());
st.pop();
}
return res;
}
};