Reverse a singly linked list.spa
Example:code
Input: 1->2->3->4->5->NULL Output: 5->4->3->2->1->NULL
Follow up:blog
A linked list can be reversed either iteratively or recursively. Could you implement both?get
反转单链表,看到我好几年前经过的代码竟然是用List遍历保存以后再倒序遍历反转,然而还RE了好几回。。。往事忽然浮如今脑海,没忍住又重写了一下。it
耗时0msio
class Solution { public ListNode reverseList(ListNode head) { ListNode cur = head, prev = null, temp = null; while (cur != null) { temp = cur.next; cur.next = prev; prev = cur; cur = temp; } return prev; } }
之前的代码是这样的(耗时464ms):class
public class Solution { public ListNode reverseList(ListNode head) { if(head == null || head.next == null) return head; ArrayList<Integer> list = new ArrayList<Integer>(); ListNode p = head; while(p!=null) { list.add(p.val); p = p.next; } ListNode q = head; for(int i=list.size()-1; i>=0; i--) { q.val = list.get(i); q = q.next; } return head; } }