题目链接
Leetcode.1024 视频拼接
rating : 1746
题目描述
你将会获得一系列视频片段,这些片段来自于一项持续时长为 time
秒的体育赛事。这些片段可能有所重叠,也可能长度不一。
使用数组 clips
描述所有的视频片段,其中
c
l
i
p
s
[
i
]
=
[
s
t
a
r
t
i
,
e
n
d
i
]
clips[i] = [start_i, end_i]
clips[i]=[starti,endi] 表示:某个视频片段开始于
s
t
a
r
t
i
start_i
starti 并于
e
n
d
i
end_i
endi 结束。
甚至可以对这些片段自由地再剪辑:
- 例如,片段 [ 0 , 7 ] [0, 7] [0,7]可以剪切成 [ 0 , 1 ] + [ 1 , 3 ] + [ 3 , 7 ] [0, 1] + [1, 3] + [3, 7] [0,1]+[1,3]+[3,7] 三部分。
我们需要将这些片段进行再剪辑,并将剪辑后的内容拼接成覆盖整个运动过程的片段( [ 0 , t i m e ] [0, time] [0,time])。返回所需片段的最小数目,如果无法完成该任务,则返回 − 1 -1 −1 。
示例 1:
输入:clips = [[0,2],[4,6],[8,10],[1,9],[1,5],[5,9]], time = 10
输出:3
解释:
选中 [0,2], [8,10], [1,9] 这三个片段。
然后,按下面的方案重制比赛片段:
将 [1,9] 再剪辑为 [1,2] + [2,8] + [8,9] 。
现在手上的片段为 [0,2] + [2,8] + [8,10],而这些覆盖了整场比赛 [0, 10]。
示例 2:
输入:clips = [[0,1],[1,2]], time = 5
输出:-1
解释:
无法只用 [0,1] 和 [1,2] 覆盖 [0,5] 的整个过程。
示例 3:
输入:clips = [[0,1],[6,8],[0,2],[5,6],[0,4],[0,3],[6,7],[1,3],[4,7],[1,4],[2,5],[2,6],[3,4],[4,5],[5,7],[6,9]], time = 9
输出:3
解释:
选取片段 [0,4], [4,7] 和 [6,9] 。
提示:
- 1 ≤ c l i p s . l e n g t h ≤ 100 1 \leq clips.length \leq 100 1≤clips.length≤100
- 0 ≤ s t a r t i ≤ e n d i ≤ 100 0 \leq start_i \leq end_i \leq 100 0≤starti≤endi≤100
- 1 ≤ t i m e ≤ 100 1 \leq time \leq 100 1≤time≤100
解法:贪心
用一个
d
i
s
t
dist
dist记录以 i
为左端点的最远右端点,即 dist[i]
。
用 pre
记录上一段被选择区间的结束位置,用 last
不断更新最远的区间。当 当前位置 i == pre
时,答案 ans
加 1,pre
更新为 last
。
当 i == last
时,说明选择的区间无法抵达 time
,返回
−
1
-1
−1。
时间复杂度: O ( n ) O(n) O(n)
C++代码:文章来源:https://www.toymoban.com/news/detail-671373.html
class Solution {
public:
int videoStitching(vector<vector<int>>& clips, int time) {
vector<int> dist(time);
for(auto &e:clips){
int l = e[0] , r = e[1];
if(l < time) dist[l] = max(dist[l],r);
}
int pre = 0,last = 0;
int ans = 0;
for(int i = 0;i < time;i++){
last = max(last,dist[i]);
if(i == last) return -1;
if(i == pre){
pre = last;
ans++;
}
}
return ans;
}
};
Python代码:文章来源地址https://www.toymoban.com/news/detail-671373.html
class Solution:
def videoStitching(self, clips: List[List[int]], time: int) -> int:
dist = [0] * time
last = ret = pre = 0
for l, r in clips:
if l < time:
dist[l] = max(dist[l], r)
for i in range(time):
last = max(last, dist[i])
if i == last:
return -1
if i == pre:
ret += 1
pre = last
return ret
到了这里,关于Leetcode.1024 视频拼接的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!