/*
 * @lc app=leetcode.cn id=160 lang=javascript
 *
 * [160] 相交链表
 */

// @lc code=start
/**
 * Definition for singly-linked list.
 * function ListNode(val) {
 *     this.val = val;
 *     this.next = null;
 * }
 */

/**
 * @param {ListNode} headA
 * @param {ListNode} headB
 * @return {ListNode}
 */
var getIntersectionNode = function (headA, headB) {
  // 1. 解法1
  // let h1 = headA;
  // const set = new Set()
  // while (h1) {
  //   set.add(h1)
  //   h1 = h1.next;
  // }
  // let h2 = headB;
  // while (h2) {
  //   if (set.has(h2)) return h2;
  //   h2 = h2.next
  // }

  // return null

  // 2. 解法2
  // 利用 a + b + c === b + c + a
  if (headA === null || headB === null) {
    return null;
  }
  let p1 = headA;
  let p2 = headB;

  while (p1 !== p2) {
    p1 = p1 === null ? headB : p1.next
    p2 = p2 === null ? headA : p2.next;
  }

  return p1;
};
// @lc code=end