欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

《剑指offer》——反转链表(Java)

程序员文章站 2022-03-05 13:32:42
...

题目描述

输入一个链表,反转链表后,输出新链表的表头。

/*
public class ListNode {
    int val;
    ListNode next = null;

    ListNode(int val) {
        this.val = val;
    }
}*/
public class Solution {
    public ListNode ReverseList(ListNode head) {

    }
}

 

思路:

pre =null

next =null


1->2->3->null

1->pre nex->2->3->null

null<-1<-pre  next->2->3->null


null<-1<-pre->2    next->3->null

null<-1<-2<-pre    next->3->null


null<-1<-2<-pre->3   next->null

null<-1<-2<-3<-pre   next->null


null<-1<-2<-3

 

 

实现:

/*
public class ListNode {
    int val;
    ListNode next = null;

    ListNode(int val) {
        this.val = val;
    }
}*/
public class Solution {
    public ListNode ReverseList(ListNode head) {
        if (head == null)
            return null;
        ListNode pre = null;
        ListNode next = null;
        while (head != null){
            next = head.next;
            head.next = pre;
            pre = head;
            head = next;
        }
        return pre;

    }
}