-
Notifications
You must be signed in to change notification settings - Fork 25
/
Copy path206. Reverse Linked List.java
executable file
·71 lines (58 loc) · 1.48 KB
/
206. Reverse Linked List.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
E
tags: Linked List
#### Iterative
- Linked List的基本操作: 每次insert在开头
- 用head来循环所有node
- 不需要额外空间
- Time O(n), Space O(1)
#### Recursive with a helper function
- source node: head
- target node: new head
```
/*
Reverse a linked list.
Example
For linked list 1->2->3, the reversed linked list is 3->2->1
Challenge
Reverse it in-place and in one-pass
Tags Expand
Linked List Facebook Uber
*/
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
// 1) create dummy = head. 2) always insert in front of dummy, and set dummy to new head 3) move head = head.next
class Solution {
public ListNode reverseList(ListNode head) {
if (head == null) return head;
ListNode dummy = null;
while(head != null) {
ListNode temp = head.next;
head.next = dummy;
dummy = head;
head = temp;
}
return dummy;
}
}
// recursive
class Solution {
public ListNode reverseList(ListNode head) {
if (head == null || head.next == null) return head;
return reverse(head, null);
}
public ListNode reverse(ListNode source, ListNode target) {
if (source == null) return target;
ListNode temp = source.next;
source.next = target;
target = source;
source = temp;
return reverse(source, target);
}
}
```