leetcode 160.相交链表

题目

编写一个程序,找到两个单链表相交的起始节点。

注意:
如果两个链表没有交点,返回 null。
在返回结果后,两个链表仍须保持原有的结构。
可假定整个链表结构中没有循环。
程序尽量满足 O(n) 时间复杂度,且仅用 O(1) 内存。

思想

用两个指针在两个链表中分别遍历,有相同的则输出
因为只遍历了一遍,所以时间复杂度为O(n);因为只定义了两个变量,所以空间复杂度为O(1)

JS实现

var getIntersectionNode = function(headA, headB) {
    if(headA == null || headB == null) {
        return null;
    }/**判断空的情况**/
    let a = headA;
    let b = headB;
    while(a != b) {
        if(a == null) {
            a = headB;
        } else {
            a = a.next;
        }
        if(b == null) {
            b = headA;
        } else {
            b = b.next;
        }
    }/**值相同时**/
    return a;/**值不相同时**/  
};

你可能感兴趣的:(leetcode(js))