java反转链表(思路和实现)

KLQ 2020-05-07 09:46:15 java常见问答 5709

下面要给大家带来的实例是和反转链表相关的内容,一起来看看具体的思路和代码实现方式吧!

题目:

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

思路1:

循环操作

代码实现:

public class Solution
{
    public ListNode ReverseList(ListNode head)
    {
        if (head == null)
            return null;
        //head为当前节点,如果当前节点为空的话,那就什么也不做,直接返回null;
        ListNode pre = null;
        ListNode next = null;
        //当前节点是head,pre为当前节点的前一节点,next为当前节点的下一节点
        //需要pre和next的目的是让当前节点从pre->head->next1->next2变成pre<-head next1->next2
        //即pre让节点可以反转所指方向,但反转之后如果不用next节点保存next1节点的话,此单链表就此断开了
        //所以需要用到pre和next两个节点
        //1->2->3->4->5
        //1<-2<-3 4->5
        while (head != null)
        {
            //做循环,如果当前节点不为空的话,始终执行此循环,此循环的目的就是让当前节点从指向next到指向pre
            //如此就可以做到反转链表的效果
            //先用next保存head的下一个节点的信息,保证单链表不会因为失去head节点的原next节点而就此断裂
            next = head.next;
            //保存完next,就可以让head从指向next变成指向pre了,代码如下
            head.next = pre;
            //head指向pre后,就继续依次反转下一个节点
            //让pre,head,next依次向后移动一个节点,继续下一次的指针反转
            pre = head;
            head = next;
        }
        //如果head为null的时候,pre就为最后一个节点了,但是链表已经反转完毕,pre就是反转后链表的第一个节点
        //直接输出pre就是我们想要得到的反转后的链表
        return pre;
    }
}

思路2

代码实现:

public class Solution
{
    public ListNode ReverseList(ListNode head)
    {
        ListNode newHead = null;
        ListNode currentHead = head;
        if (head == null || head.next == null)
        {
            return head;
        }
        while (currentHead != null)
        {
            ListNode next = currentHead.next;
            currentHead.next = newHead;
            newHead = currentHead;
            currentHead = next;
        }
        return newHead;
    }
}

思路3:

使用Java栈的方式。

这里要注意了,原来的头结点的next需要置为null,否则的话,就会导致遍历时无限循环,导致超时。

代码实现:

public ListNode ReverseList(ListNode head)
{
    if (head == null)
        return null;
    Stack < ListNode > stack = new Stack < ListNode > ();
    ListNode temp = head;
    do {
        stack.push(temp);
        temp = temp.next;
    } while (temp != null);
    //关键在于这里,原来的头结点的next要置为空,否则导致遍历时无限循环
    head.next = null;
    ListNode root = stack.pop();
    ListNode node = root;
    while (!stack.isEmpty())
    {
        node.next = stack.pop();
        node = node.next;
    }
    return root;
}

以上就是今天的java实例了,大家都了解吗?以上思路和实现仅供参考,具体的还是需要大家实际操作为准哦。

更多相关实例,可以继续通过奇Q工具网的java实例栏目来了解。

推荐阅读:

将二叉搜索树转换成双向链表(实现及思路)

找出两个链表的第一个公共结点,Java实现和思路

链表-删除链表中重复的结点(思路和代码实现)