22 相交链表

相交链表

    • 题解1 快慢双指针
    • 改进 (a+c+b = b+c+a)
    • 题解2 哈希表(偷懒)

给你两个单链表的头节点 headAheadB ,请你找出并返回两个单链表相交的起始节点。如果两个链表不存在相交节点,返回 null

22 相交链表_第1张图片
题目数据 保证 整个链式结构中不存在环。

注意,函数返回结果后,链表必须 保持其原始结构
22 相交链表_第2张图片
22 相交链表_第3张图片
22 相交链表_第4张图片
提示:

  • listA 中节点数目为 m
  • listB 中节点数目为 n
  • 1 <= m, n <= 3 ∗ 1 0 4 3 * 10^4 3104
  • 1 <= Node.val <= 1 0 5 10^5 105
  • 0 <= skipA <= m
  • 0 <= skipB <= n
  • 如果 listA 和 listB没有交点,intersectVal 为 0
  • 如果 listA 和 listB 有交点,intersectVal == listA[skipA] == listB[skipB]

进阶:你能否设计一个时间复杂度 O(m + n) 、仅用 O(1) 内存的解决方案?
(两个链表各遍历一次,空间不随元素个数变化)

题解1 快慢双指针

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode *getIntersectionNode(ListNode *headA, ListNode *headB) {
        ListNode* tmpA = headA;
        ListNode* tmpB = headB;
        int Alen = 0;
        int Blen = 0;
        while(tmpA){
            Alen ++;
            tmpA = tmpA->next;
        }
        while(tmpB){
            Blen ++;
            tmpB = tmpB->next;
        }
        ListNode* fastNode = Alen >= Blen ? headA : headB;
        ListNode* slowNode = Alen < Blen ? headA : headB;

        int diff = abs(Blen - Alen);
        while(diff--)
            fastNode = fastNode->next;
        
        while(fastNode){
            if(fastNode == slowNode)
                return fastNode;
            else{
                fastNode = fastNode->next;
                slowNode = slowNode->next;
            }
        }
        return NULL;

    }
};

22 相交链表_第5张图片

改进 (a+c+b = b+c+a)

class Solution {
public:
    ListNode *getIntersectionNode(ListNode *headA, ListNode *headB) {
        ListNode* tmpA = headA;
        ListNode* tmpB = headB;
		// 假设相交 设相交前A长a B长b
		// 设C点相交 设从C点到list尾结点长c
		// a+c+b = b+c+a 如果相交 则遍历这么多元素后 会回到C点
		// 操作上:tmpA指到尾 改指tmpB
        while(tmpA != tmpB){
            tmpA = tmpA == nullptr ? headB : tmpA -> next;
            tmpB = tmpB == nullptr ? headA : tmpB -> next;
        }
        return tmpA;

    }
};

22 相交链表_第6张图片

题解2 哈希表(偷懒)

class Solution {
public:
    ListNode *getIntersectionNode(ListNode *headA, ListNode *headB) {
        unordered_set <ListNode*> kkmap;
        ListNode * tmp = headA;
        while(tmp){
            kkmap.insert(tmp);
            tmp = tmp->next;
        }
        tmp = headB;
        while(tmp){
            if(kkmap.count(tmp)) return tmp;
            tmp = tmp->next;
        }
        return nullptr;
        
    }
};

22 相交链表_第7张图片

你可能感兴趣的:(HOT100,双指针,链表,数据结构,leetcode,算法)