LeetCode 1743 - 从相邻元素对还原数组
原题链接:https://leetcode-cn.com/problems/restore-the-array-from-adjacent-pairs (opens new window)
# 题目描述
存在一个由 n 个不同元素组成的整数数组 nums ,但你已经记不清具体内容。好在你还记得 nums 中的每一对相邻元素。
给你一个二维整数数组 adjacentPairs ,大小为 n - 1 ,其中每个 adjacentPairs[i] = [ui, vi] 表示元素 ui 和 vi 在 nums 中相邻。
题目数据保证所有由元素 nums[i] 和 nums[i+1] 组成的相邻元素对都存在于 adjacentPairs 中,存在形式可能是 [nums[i], nums[i+1]] ,也可能是 [nums[i+1], nums[i]] 。这些相邻元素对可以 按任意顺序 出现。
返回 原始数组 nums 。如果存在多种解答,返回 其中任意一个 即可。
示例 1
输入:adjacentPairs = [[2,1],[3,4],[3,2]]
输出:[1,2,3,4]
解释:数组的所有相邻元素对都在 adjacentPairs 中。
特别要注意的是,adjacentPairs[i] 只表示两个元素相邻,并不保证其 左-右 顺序。
示例 2
输入:adjacentPairs = [[4,-2],[1,4],[-3,1]]
输出:[-2,4,1,-3]
解释:数组中可能存在负数。
另一种解答是 [-3,1,4,-2] ,也会被视作正确答案。
示例 3
输入:adjacentPairs = [[100000,-100000]]
输出:[100000,-100000]
提示
nums.length == n
adjacentPairs.length == n - 1
adjacentPairs[i].length == 2
2 <= n <= 105
-105 <= nums[i], ui, vi <= 105
题目数据保证存在一些以 adjacentPairs 作为元素对的数组 nums
# Python题解
# 参考题解
因为没做出来,而且官方题解没有Python版本,所以就参照Java版本以及社区Python题解修改出了一个300ms的方案,时间100%。
class Solution(object):
def restoreArray(self, adjacentPairs):
"""
:type adjacentPairs: List[List[int]]
:rtype: List[int]
"""
dic = defaultdict(list)
for a, b in adjacentPairs:
dic[a].append(b)
dic[b].append(a)
res = []
for m, n in dic.items():
if len(n) == 1:
res.append(m)
break
res.append(dic.get(res[0])[0])
for _ in range(2, len(adjacentPairs) + 1):
cur = res[-1]
res.append(dic[cur][0]) if dic[cur][0] != res[-2] else res.append(dic[cur][1])
return res
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
# 总结
一开始把问题想简单了,没打算递推,准备直接找出头尾排序一下,后来发现行不通。
另一个是完全没想到字典,medium太难了。