LC-链表的中间节点(遍历)

LC-链表的中间节点(遍历)

链接:https://leetcode.cn/problems/middle-of-the-linked-list/description/
描述:给你单链表的头结点 head ,请你找出并返回链表的中间结点。
如果有两个中间结点,则返回第二个中间结点。

例1:
在这里插入图片描述

输入:head = [1,2,3,4,5]
输出:[3,4,5]
解释:链表只有一个中间结点,值为 3 。

例2:
在这里插入图片描述

输入:head = [1,2,3,4,5,6]
输出:[4,5,6]
解释:该链表有两个中间结点,值分别为 3 和 4 ,返回第二个结点。

思路:我们可以先把链表遍历一下获取其长度,然后再遍历到其中间节点。
代码如下:

    public ListNode middleNode(ListNode head) {
    	//当节点为空或者只有一个节点时,直接返回
        if (head == null || head.next == null) {
            return head;
        }
        int length = 0;
        
        ListNode a = head;
        //先遍历获取长度
        while (a != null) {
            length++;
            a = a.next;
        }
        int index = 0;
        while (head != null) {
        	//检验是不是中间的节点
            if (index == length / 2) {
                return head;
            }
            index++;
            head = head.next;
        }
        return null;
    }

你可能感兴趣的:(链表,数据结构)