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

Leetcode 234. 回文链表

程序员文章站 2022-03-07 11:51:18
...

Leetcode 234. 回文链表

1、问题分析

题目链接:https://leetcode-cn.com/problems/palindrome-linked-list/
  可以使用数组解决该问题。代码我已经进行了详细的注释,理解应该没有问题,读者可以作为参考,如果看不懂(可以多看几遍),欢迎留言哦!我看到会解答一下。

2、问题解决

  笔者以C++方式解决。

#include "iostream"

using namespace std;

#include "algorithm"
#include "vector"
#include "queue"
#include "set"
#include "map"
#include "string"
#include "stack"

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */

struct ListNode {
    int val;
    ListNode *next;

    ListNode(int x) : val(x), next(NULL) {}
};

class Solution {
private:
    // 将链表存储到数组中
    vector<int> dp;
public:
    bool isPalindrome(ListNode *head) {
        // 空链表就是 回文链表
        if (head == NULL) {
            return true;
        }
        // 将链表的值存储到数组中
        ListNode *temp = head;
        while (temp != NULL) {
            dp.push_back(temp->val);
            temp = temp->next;
        }
        // 将 dp[i] 和 dp[dp.size() - 1 - i] 比较,如果不等,说明不是回文链表
        // 直接返回 false
        for (int i = 0; i < dp.size() / 2; ++i) {
            if (dp[i] != dp[dp.size() - 1 - i]) {
                return false;
            }
        }

        // 如果全部符合条件,返回 true
        return true;
    }

};

int main() {
    ListNode *pNode1 = new ListNode(1);
    ListNode *pNode2 = new ListNode(2);
    ListNode *pNode3 = new ListNode(2);
    ListNode *pNode4 = new ListNode(1);
    pNode1->next = pNode2;
    pNode2->next = pNode3;
    pNode3->next = pNode4;

    Solution *pSolution = new Solution;
    bool b = pSolution->isPalindrome(pNode1);
    cout << b << endl;
    system("pause");
    return 0;
}

运行结果

Leetcode 234. 回文链表

有点菜,有时间再优化一下。

3、总结

  难得有时间刷一波LeetCode, 这次做一个系统的记录,等以后复习的时候可以有章可循,同时也期待各位读者给出的建议。算法真的是一个照妖镜,原来感觉自己也还行吧,但是算法分分钟教你做人。前人栽树,后人乘凉。在学习算法的过程中,看了前辈的成果,受益匪浅。
感谢各位前辈的辛勤付出,让我们少走了很多的弯路!
哪怕只有一个人从我的博客受益,我也知足了。
点个赞再走呗!欢迎留言哦!

相关标签: LeetCode Hot100