Leetcode 160. 相交链表
程序员文章站
2022-04-17 16:40:59
...
1、问题分析
题目链接:https://leetcode-cn.com/problems/intersection-of-two-linked-lists/
不服就干,直接暴力**,废话不BB。代码我已经进行了详细的注释,理解应该没有问题,读者可以作为参考,如果看不懂(可以多看几遍),欢迎留言哦!我看到会解答一下。
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:
// 存储 headA 链表的所有节点值
vector<ListNode *> dp;
// 存储 headB 链表的所有节点值
vector<ListNode *> dp2;
public:
ListNode *getIntersectionNode(ListNode *headA, ListNode *headB) {
// 如果有一个链表为空,则肯定没有相交节点
if (headA == NULL || headB == NULL) {
return NULL;
}
// 将链表 headA 的所有节点存储到 dp 数组中
while (headA != NULL) {
dp.push_back(headA);
headA = headA->next;
}
// 将链表 headB 的所有节点存储到 dp2 数组中
while (headB != NULL) {
dp2.push_back(headB);
headB = headB->next;
}
// 从数组的末尾开始比较
int i = dp.size() - 1;
int j = dp2.size() - 1;
// 如果最后一个节点不相等,直接返回 NULL
if (dp[i] != dp2[j]) {
return NULL;
}
// 如果数组的末尾值相等,在向左移动,不断遍历
i--;
j--;
// 节点值相等,不断向左移动,不断遍历
while (i >= 0 && j >= 0 && dp[i] == dp2[j]) {
i--;
j--;
}
// 返回相交节点
return dp[i + 1];
}
};
int main() {
ListNode *pNode14 = new ListNode(4);
ListNode *pNode11 = new ListNode(1);
ListNode *pNode18 = new ListNode(8);
ListNode *pNode_14 = new ListNode(4);
ListNode *pNode15 = new ListNode(5);
pNode14->next = pNode11;
pNode11->next = pNode18;
pNode18->next = pNode_14;
pNode_14->next = pNode15;
ListNode *pNode25 = new ListNode(5);
ListNode *pNode20 = new ListNode(0);
ListNode *pNode21 = new ListNode(1);
// ListNode *pNode28 = new ListNode(8);
// ListNode *pNode24 = new ListNode(4);
// ListNode *pNode_25 = new ListNode(5);
pNode25->next = pNode20;
pNode20->next = pNode21;
pNode21->next = pNode18;
// pNode28->next = pNode24;
// pNode24->next = pNode_25;
Solution *pSolution = new Solution;
ListNode *pNode = pSolution->getIntersectionNode(pNode14, pNode25);
cout << pNode->val << endl;
system("pause");
return 0;
}
运行结果
有点菜,有时间再优化一下。
3、总结
难得有时间刷一波LeetCode
, 这次做一个系统的记录,等以后复习的时候可以有章可循,同时也期待各位读者给出的建议。算法真的是一个照妖镜,原来感觉自己也还行吧,但是算法分分钟教你做人。前人栽树,后人乘凉。在学习算法的过程中,看了前辈的成果,受益匪浅。
感谢各位前辈的辛勤付出,让我们少走了很多的弯路!
哪怕只有一个人从我的博客受益,我也知足了。
点个赞再走呗!欢迎留言哦!
上一篇: [leetcode] 4. 寻找两个有序数组的中位数
下一篇: 视觉惯性里程计 VIO