思路就是后一个的next 指针指向前一个,然后前一个的next 指向NULL ,,全部完成,实现反转。
// 方法一(非递归):使用栈来完成
public static ListNode reverseList(ListNode head) {
// 如果一开始是空,返回null ;只有一个节点返回那个节点
if (head == null || head.next == null)
return head;
Stack<ListNode> stack = new Stack<>();
while (head.next != null){
stack.push(head);
head = head.next;
}
ListNode node = head;
while (!stack.isEmpty()){
node.next = stack.pop();
node = node.next;
node.next = null;
}
return head;
}
// 方法二(非递归)
public static ListNode reverseList(ListNode head){
ListNode cur = head,pre = null,next = null;
while (cur != null){
next = cur.next; // 下一个不能丢失,因为涉及到链表的断链
cur.next = pre;
pre = cur; // 上一个节点指针不能丢失
cur = next; // 新的当前节点
}
return pre;
}
// 方法三(递归)
public static ListNode reverseList(ListNode head){
if (head == null || head.next == null)
return head;
ListNode node = head.next;
ListNode newNode = reverseList(node);
node.next = head; // next 指向上一个进行反转
head.next = null; // 将新链的尾指向空,断链
return newNode;
}
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public ListNode reverseBetween(ListNode head, int m, int n) {
if(head==null)
return null;
if(n==m)
return head;
ListNode node = new ListNode(-1); // 补结点,使一定有per_m 在m 结点的前一个
node.next = head;
ListNode per_m = node;
for (int i=0; i<m-1 ;i++){
per_m = per_m.next; // 到达m 的前一个 *
}
ListNode pre = per_m.next; // 到达m
ListNode cur = pre.next,next = null;
for (int i=1; i<= n-m ;i++){
next = cur.next;
cur.next = pre;
pre = cur;
cur = next;
}
per_m.next.next = cur;
per_m.next = pre;
return node.next;
}
}
可以用 ([1,2,3,4,5] , 2 , 4)与([3,5] , 1 , 2)这两个测试用例试一下,之前没考虑到这种情况([3,5] , 1 , 2),试了好多次。
猴子吃桃问题:猴子第一天摘下若干个桃子,当即吃了一半,还不瘾,又多吃了一个 第二天早上又将剩下的桃子吃掉一半,又多吃了一个。以后每天早上都吃了前一天 剩下的一半零一个。到第10天早上想再吃时,见只剩下一个桃子了。求第一天共摘了多少。
((x/2-1)/2-1)/2-1... 这样一直到第十天 = 1
int j = 1;
for (int i=1;i<10;i++){
j = (j+1)*2;
}
System.out.println(j);