CODE 41: Reverse Linked List II

来源:互联网 发布:尖峰时刻 知乎 编辑:程序博客网 时间:2024/06/11 10:53

Reverse a linked list from position m to n. Do it in-place and in one-pass.

For example:
Given 1->2->3->4->5->NULLm = 2 and n = 4,

return 1->4->3->2->5->NULL.

Note:
Given mn satisfy the following condition:
1 ≤ m ≤ n ≤ length of list.

public ListNode reverseBetween(ListNode head, int m, int n) {// IMPORTANT: Please reset any member data you declared, as// the same Solution instance will be reused for each test case.ListNode tmpHead = head;Stack<Integer> stack = new Stack<Integer>();int number = 1;if (tmpHead != null) {while (tmpHead != null && number < m) {tmpHead = tmpHead.next;number++;}ListNode tmp = tmpHead;while (tmp != null && number <= n) {stack.push(tmp.val);tmp = tmp.next;number++;}if (number > n) {while (!stack.isEmpty()) {tmpHead.val = stack.pop();tmpHead = tmpHead.next;}}}return head;}


原创粉丝点击