我的LeetCode:https://leetcode cn.com/u/ituring/ 我的LeetCode刷題源碼[GitHub]:https://github.com/izhoujie/Algorithmcii LeetCode 面試題06. 從尾到頭列印鏈表 題目 輸入一個鏈表的頭節點,從 ...
我的LeetCode:https://leetcode-cn.com/u/ituring/
我的LeetCode刷題源碼[GitHub]:https://github.com/izhoujie/Algorithmcii
LeetCode 面試題06. 從尾到頭列印鏈表
題目
輸入一個鏈表的頭節點,從尾到頭反過來返回每個節點的值(用數組返回)。
示例 1:
輸入:head = [1,3,2]
輸出:[2,3,1]
限制:
- 0 <= 鏈表長度 <= 10000
來源:力扣(LeetCode)
鏈接:https://leetcode-cn.com/problems/cong-wei-dao-tou-da-yin-lian-biao-lcof
著作權歸領扣網路所有。商業轉載請聯繫官方授權,非商業轉載請註明出處。
解題思路
思路1-兩次遍歷,一次獲得總數建數組,一次存數到數組
演算法複雜度:
- 時間複雜度: $ {\color{Magenta}{\Omicron\left(n\right)}} $
- 空間複雜度: $ {\color{Magenta}{\Omicron\left(1\right)}} $
思路2-兩次遍歷,一次用棧存數據建數組,一次保存數到數組
演算法複雜度:
- 時間複雜度: $ {\color{Magenta}{\Omicron\left(n\right)}} $
- 空間複雜度: $ {\color{Magenta}{\Omicron\left(n\right)}} $
演算法源碼示例
package leetcode;
import java.util.Stack;
/**
* @author ZhouJie
* @date 2020年4月28日 下午6:29:56
* @Description: 面試題06. 從尾到頭列印鏈表
*
*/
public class LeetCode_Offer_06 {
}
// Definition for singly-linked list.
class ListNode_Offer_06 {
int val;
ListNode_Offer_06 next;
ListNode_Offer_06(int x) {
val = x;
}
}
class Solution_Offer_06 {
/**
* @author: ZhouJie
* @date: 2020年4月28日 下午6:34:16
* @param: @param head
* @param: @return
* @return: int[]
* @Description: 1-兩次遍歷,一次統計總數用以建數組,一次用來填數組;
*
*/
public int[] reversePrint_1(ListNode_Offer_06 head) {
// 保存頭節點
ListNode_Offer_06 node = head;
int count = 0;
// 統計總數
while (node != null) {
count++;
node = node.next;
}
int[] rst = new int[count];
while (head != null) {
// 倒序放入
rst[--count] = head.val;
head = head.next;
}
return rst;
}
/**
* @author: ZhouJie
* @date: 2020年4月28日 下午6:35:38
* @param: @param head
* @param: @return
* @return: int[]
* @Description: 2-兩次遍歷,一次用棧保存,一次從棧放入數組
*
*/
public int[] reversePrint_2(ListNode_Offer_06 head) {
int count = 0;
Stack<Integer> stack = new Stack<Integer>();
while (head != null) {
stack.push(head.val);
head = head.next;
count++;
}
int[] rst = new int[count];
int i = 0;
while (!stack.isEmpty()) {
rst[i++] = stack.pop();
}
return rst;
}
}