/**
* 各种求链表中间节点
*/
public class FindMidNode {
/**
* 输入链表头结点,奇数长度返回中点,偶数长度返回上中点
*
* @param head 头结点
* @return 中点或者上中点
*/
public Node midOrUpMidNode(Node head) {
if (head == null || head.next == null || head.next.next == null) {
return head;
}
Node slow = head.next;
Node fast = head.next.next;
while (fast.next != null && fast.next.next != null) {
slow = slow.next;
fast = fast.next.next;
}
return slow;
}
/**
* 输入链表头结点,奇数长度返回中点,偶数长度返回下中点
*
* @param head 头结点
* @return 中点或者下中点
*/
public Node midOrDownMidNode(Node head) {
if (head == null || head.next == null) {
return head;
}
Node slow = head.next;
Node fast = head.next;
while (fast.next != null && fast.next.next != null) {
slow = slow.next;
fast = fast.next.next;
}
return slow;
}
/**
* 输入链表头结点,奇数长度返回中点前一个,偶数长度返回上中点前一个
*
* @param head 头结点
* @return 结点
*/
public Node midOrUpMidPreNode(Node head) {
if (head == null || head.next == null || head.next.next == null) {
return null;
}
Node slow = head;
Node fast = head.next.next;
while (fast.next != null && fast.next.next != null) {
slow = slow.next;
fast = fast.next.next;
}
return slow;
}
/**
* 输入链表头结点,奇数长度返回中点前一个,偶数长度返回下中点前一个
*
* @param head 头结点
* @return 结点
*/
public Node midOrDownMidPreNode(Node head) {
if (head == null || head.next == null) {
return null;
}
if (head.next.next == null) {
return head;
}
Node slow = head;
Node fast = head.next;
while (fast.next != null && fast.next.next != null) {
slow = slow.next;
fast = fast.next.next;
}
return slow;
}
/**
* 链表结构
*/
public static class Node {
public int value;
public Node next;
public Node(int value) {
this.value = value;
}
}
}
/* 如有意见或建议,欢迎评论区留言;如发现代码有误,欢迎批评指正 */
各种求链表中间节点
原创
©著作权归作者所有:来自51CTO博客作者放下也不自在的原创作品,请联系作者获取转载授权,否则将追究法律责任
上一篇:几乎有序的数组排序
提问和评论都可以,用心的回复会被更多人看到
评论
发布评论
相关文章
-
4.带头节点的双链表的实现(C语言)
双链表基本运算的代码实现,前插、后插操作
双链表 头结点 插入操作 删除操作 -
返回链表的中间节点
返回链表的中间节点给定链表的结点数介于 1 和 100 之间。
链表 数据结构 结点 序列化 -
【LeetCode】876.链表的中间节点
如果是偶数长度的链表,那么fast.next 不为None。不需要再事先判断一遍了。
链表 leetcode 数据结构 结点