判断一个链表是否为回文结构。

题目描述
对于一个链表,请设计一个时间复杂度为O(n),额外空间复杂度为O(1)的算法,判断其是否为回文结构。

给定一个链表的头指针A,请返回一个bool值,代表其是否为回文结构。保证链表长度小于等于900。

测试样例:
1->2->2->1
返回:true

代码:

import java.util.*;

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

    ListNode(int val) {
        this.val = val;
    }
}*/
public class PalindromeList {
    
    
    public boolean chkPalindrome(ListNode head) {
    
    
        // write code here
        if (head == null){
    
    
                return false;
            }
        // write code here
        //1.找到链表的中间节点
        ListNode fast = head;
        ListNode slow = head;
        while (fast !=null && fast.next != null){
    
    
            fast =fast.next.next;
            slow = slow.next;
        }
        //2.翻转中间链表之后的节点
        ListNode cur =slow.next;//此时slow的位置就是中间节点
        while (cur != null){
    
    
            ListNode curNext = cur.next;
            cur.next = slow;
            slow = cur;
            cur = curNext;
        }
        //3.对比是否是首尾相同的回文
        while (slow != head){
    
    //当他两没遇到时
        if (slow.val != head.val){
    
    
            return false;
        }
        if (head.next == slow){
    
    //偶数情况下
            return  true;
        }
            slow = slow.next;
            head = head.next;
        }
        return true;
    }
}

结果:
在这里插入图片描述

猜你喜欢

转载自blog.csdn.net/weixin_44436675/article/details/112690612