You are given two integer arrays nums1 and nums2. We write the integers of nums1 and nums2 (in the order they are given) on two separate horizontal lines.
We may draw connecting lines: a straight line connecting two numbers nums1[i] and nums2[j] such that:
nums1[i] == nums2[j], and
the line we draw does not intersect any other connecting (non-horizontal) line.
Note that a connecting line cannot intersect even at the endpoints (i.e., each number can only belong to one connecting line).
Return the maximum number of connecting lines we can draw in this way.
두 개의 정수 배열 nums1과 nums2가 주어졌습니다. nums1과 nums2의 정수들을 (주어진 순서대로) 두 개의 분리된 수평선 위에 적습니다.
다음과 같은 방식으로 연결선을 그릴 수 있습니다. 두 숫자 nums1[i]와 nums2[j]를 연결하는 직선을 그리는데, 다음 조건을 만족해야 합니다.
이러한 방식으로 그릴 수 있는 최대 연결선 수를 반환하세요.
nums1 = [1,4,2], nums2 = [1,2,4]
class Solution:
def maxUncrossedLines(self, nums1: List[int], nums2: List[int]) -> int:
N1 = len(nums1)
N2 = len(nums2)
cache = {}
def check(n1: int, n2: int):
if n1 >= N1 or n2 >= N2:
return 0
if (n1, n2) in cache:
return cache[(n1, n2)]
if nums1[n1] == nums2[n2]:
ans = check(n1 + 1, n2 + 1) + 1
else:
ans = max(check(n1 + 1, n2), check(n1, n2 + 1))
cache[(n1, n2)] = ans
return ans
return check(0, 0)
class Solution:
def maxUncrossedLines(self, nums1: List[int], nums2: List[int]) -> int:
N1 = len(nums1)
N2 = len(nums2)
dp = [[0] * (N2 + 1) for _ in range(N1 + 1)]
for n1 in range(1, N1 + 1):
for n2 in range(1, N2 + 1):
if nums1[n1 - 1] == nums2[n2 - 1]:
dp[n1][n2] = dp[n1 - 1][n2 - 1] + 1
else:
dp[n1][n2] = max(dp[n1 - 1][n2], dp[n1][n2 - 1])
return dp[N1][N2]