CS-Notes/notes/6. 从尾到头打印链表.md

90 lines
3.2 KiB
Java
Raw Normal View History

2019-11-02 12:07:41 +08:00
# 6. 从尾到头打印链表
2019-11-02 18:01:46 +08:00
## 题目链接
[牛客网](https://www.nowcoder.com/practice/d0267f7f55b3412ba93bd35cfa8e8035?tpId=13&tqId=11156&tPage=1&rp=1&ru=/ta/coding-interviews&qru=/ta/coding-interviews/question-ranking&from=cyc_github)
2019-11-02 12:07:41 +08:00
## 题目描述
从尾到头反过来打印出每个结点的值
2019-12-06 10:11:23 +08:00
<div align="center"> <img src="https://cs-notes-1256109796.cos.ap-guangzhou.myqcloud.com/f5792051-d9b2-4ca4-a234-a4a2de3d5a57.png" width="300px"> </div><br>
2019-11-02 12:07:41 +08:00
## 解题思路
2019-11-02 18:01:46 +08:00
### 1. 使用递归
2019-11-02 12:07:41 +08:00
2020-11-17 00:32:18 +08:00
要逆序打印链表 1-\>2-\>33,2,1)可以先逆序打印链表 2-\>3(3,2)最后再打印第一个节点 1而链表 2-\>3 可以看成一个新的链表要逆序打印该链表可以继续使用求解函数也就是在求解函数中调用自己这就是递归函数
2019-11-02 12:07:41 +08:00
```java
public ArrayList<Integer> printListFromTailToHead(ListNode listNode) {
ArrayList<Integer> ret = new ArrayList<>();
if (listNode != null) {
ret.addAll(printListFromTailToHead(listNode.next));
ret.add(listNode.val);
}
return ret;
}
```
2019-11-02 18:01:46 +08:00
### 2. 使用头插法
2019-11-03 09:34:33 +08:00
头插法顾名思义是将节点插入到头部在遍历原始链表时将当前节点插入新链表的头部使其成为第一个节点
2019-11-02 18:01:46 +08:00
链表的操作需要维护后继关系例如在某个节点 node1 之后插入一个节点 node2我们可以通过修改后继关系来实现
```java
node3 = node1.next;
node2.next = node3;
node1.next = node2;
```
2019-12-06 10:11:23 +08:00
<div align="center"> <img src="https://cs-notes-1256109796.cos.ap-guangzhou.myqcloud.com/58c8e370-3bec-4c2b-bf17-c8d34345dd17.gif" width="220px"> </div><br>
2019-11-02 12:07:41 +08:00
2019-11-02 21:22:13 +08:00
为了能将一个节点插入头部我们引入了一个叫头结点的辅助节点该节点不存储值只是为了方便进行插入操作不要将头结点与第一个节点混起来第一个节点是链表中第一个真正存储值的节点
2019-11-02 12:07:41 +08:00
2019-12-06 10:11:23 +08:00
<div align="center"> <img src="https://cs-notes-1256109796.cos.ap-guangzhou.myqcloud.com/0dae7e93-cfd1-4bd3-97e8-325b032b716f-1572687622947.gif" width="420px"> </div><br>
2019-11-02 12:07:41 +08:00
```java
public ArrayList<Integer> printListFromTailToHead(ListNode listNode) {
// 头插法构建逆序链表
ListNode head = new ListNode(-1);
while (listNode != null) {
ListNode memo = listNode.next;
listNode.next = head.next;
head.next = listNode;
listNode = memo;
}
// 构建 ArrayList
ArrayList<Integer> ret = new ArrayList<>();
head = head.next;
while (head != null) {
ret.add(head.val);
head = head.next;
}
return ret;
}
```
2019-11-02 18:01:46 +08:00
### 3. 使用栈
2019-11-02 12:07:41 +08:00
栈具有后进先出的特点在遍历链表时将值按顺序放入栈中最后出栈的顺序即为逆序
2019-12-06 10:11:23 +08:00
<div align="center"> <img src="https://cs-notes-1256109796.cos.ap-guangzhou.myqcloud.com/9d1deeba-4ae1-41dc-98f4-47d85b9831bc.gif" width="340px"> </div><br>
2019-11-02 12:07:41 +08:00
```java
public ArrayList<Integer> printListFromTailToHead(ListNode listNode) {
Stack<Integer> stack = new Stack<>();
while (listNode != null) {
stack.add(listNode.val);
listNode = listNode.next;
}
ArrayList<Integer> ret = new ArrayList<>();
while (!stack.isEmpty())
ret.add(stack.pop());
return ret;
}
```