算法记录
题目:
??输入一个链表的头节点,从尾到头反过来返回每个节点的值(用数组返回)。
说明
一、题目
??输入一个链表的头节点,从尾到头反过来返回每个节点的值(用数组返回)。
二、分析
- 返回一个数组,首先的确定数组的长度大小,也就是先遍历链表的长度,这是一个常数阶的时间消耗。
- 创建数组之后,重头开始遍历链表,依次从头到尾放置在数组的尾部,这时就实现了数据的反转。
class Solution {
public int[] reversePrint(ListNode head) {
if(head == null)
return new int[]{};
ListNode node = head;
int count = 0;
while(node != null) {
count++;
node =node.next;
}
int[] temp = new int[count];
for(int i = count -1; i>=0;i--) {
temp[i] = head.val;
head = head.next;
}
return temp;
}
}
总结
熟悉链表的表现和操作
|