LC 剑指 Offer II 115. 重建序列 (opens new window) (opens new window)
中等
# 问题描述
给定一个长度为 n
的整数数组 nums
,其中 nums
是范围为 [1,n]
的整数的排列。还提供了一个 2D 整数数组 sequences
,其中 sequences[i]
是 nums
的子序列。
检查 nums
是否是唯一的最短 超序列 。最短 超序列 是 长度最短 的序列,并且所有序列 sequences[i]
都是它的子序列。对于给定的数组 sequences
,可能存在多个有效的 超序列 。
- 例如,对于
sequences = [[1,2],[1,3]]
,有两个最短的 超序列 ,[1,2,3]
和[1,3,2]
。 - 而对于
sequences = [[1,2],[1,3],[1,2,3]]
,唯一可能的最短 超序列 是[1,2,3]
。[1,2,3,4]
是可能的超序列,但不是最短的。
如果 nums
是序列的唯一最短 超序列 ,则返回 true
,否则返回 false
。
子序列 是一个可以通过从另一个序列中删除一些元素或不删除任何元素,而不改变其余元素的顺序的序列。
示例 1:
输入:nums = [1,2,3], sequences = [[1,2],[1,3]]
输出:false
解释:有两种可能的超序列:[1,2,3]和[1,3,2]。
序列 [1,2] 是[1,2,3]和[1,3,2]的子序列。
序列 [1,3] 是[1,2,3]和[1,3,2]的子序列。
因为 nums 不是唯一最短的超序列,所以返回 false。
示例 2:
输入:nums = [1,2,3], sequences = [[1,2]]
输出:false
解释:最短可能的超序列为 [1,2]。
序列 [1,2] 是它的子序列:[1,2]。
因为 nums 不是最短的超序列,所以返回 false。
示例 3:
输入:nums = [1,2,3], sequences = [[1,2],[1,3],[2,3]]
输出:true
解释:最短可能的超序列为[1,2,3]。
序列 [1,2] 是它的一个子序列:[1,2,3]。
序列 [1,3] 是它的一个子序列:[1,2,3]。
序列 [2,3] 是它的一个子序列:[1,2,3]。
因为 nums 是唯一最短的超序列,所以返回 true。
提示:
n == nums.length
1 <= n <= 104
nums
是[1, n]
范围内所有整数的排列1 <= sequences.length <= 104
1 <= sequences[i].length <= 104
1 <= sum(sequences[i].length) <= 105
1 <= sequences[i][j] <= n
sequences
的所有数组都是 唯一 的sequences[i]
是nums
的一个子序列
注意:本题与主站 444 题相同:https://leetcode-cn.com/problems/sequence-reconstruction/ (opens new window)
# 拓扑排序
根据 中的序列构建一个有向图,进行一次拓扑排序,由于已经限定 是 的子序列,因此,如果拓扑排序得到的结果是唯一的,则 是序列的唯一最短超序列。
/**
* @param {number[]} nums
* @param {number[][]} sequences
* @return {boolean}
*/
var sequenceReconstruction = function (nums, sequences) {
const n = nums.length
const graph = new Array(n + 1).fill(0).map(() => [])
const indegree = new Array(n + 1).fill(0)
for (const sequence of sequences) {
for (let i = 0; i < sequence.length - 1; i++) {
const a = sequence[i]
const b = sequence[i + 1]
graph[a].push(b)
indegree[b]++
}
}
const queue = []
for (let i = 1; i <= n; i++) {
if (indegree[i] === 0) {
queue.push(i)
indegree[i] = -1
}
}
while (queue.length) {
if (queue.length > 1) return false
const num = queue.shift()
const arr = graph[num]
for (const x of arr) {
if (--indegree[x] === 0) {
queue.push(x)
indegree[x] = -1
}
}
}
return true
}
- 时间复杂度:,其中 是数组 的长度, 是 中的所有序列长度之和。
- 空间复杂度:,其中 是数组 的长度, 是 中的所有序列长度之和。
上次更新: 2023/01/31 19:48:05
本博客所有文章除特别声明外,均采用 CC BY-SA 4.0 协议 , 转载请注明出处!