存在一个由 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]
解题思路
- 使用图表示邻接关系,数组的每个元素当成是一个节点,除了首尾元素以外,每个节点在数组中应该前后相邻两个节点,根据记录数组中相邻元素的adjacentPairs,构建出图
- 遍历每个节点的邻接点的个数,个数为1的数组的首尾元素
- 对图进行深度优先搜索,以数组的首尾元素为起点,遍历图的路径就是数组的顺序
代码
class Solution {public int[] restoreArray(int[][] adjacentPairs) {int n=adjacentPairs.length+1;Map<Integer,List<Integer>> map=new HashMap<>();for (int[] pair : adjacentPairs) {map.putIfAbsent(pair[0],new ArrayList<>());map.get(pair[0]).add(pair[1]);map.putIfAbsent(pair[1],new ArrayList<>());map.get(pair[1]).add(pair[0]);}int s=-1;for (Map.Entry<Integer, List<Integer>> entry : map.entrySet()) {if(entry.getValue().size()==1){s=entry.getKey();break;}}ArrayList<Integer> list = new ArrayList<>();dfsRestoreArray(n,list,-1,s,map);int[] res = new int[n];for (int i=0;i<n;i++)res[i]=list.get(i);return res;}public void dfsRestoreArray(int n,List<Integer> list,int pre,int cur, Map<Integer,List<Integer>> map) {list.add(cur);for (Integer next : map.get(cur)) {if (next==pre)continue;dfsRestoreArray(n,list,cur,next,map);}}
}