我正在使用ffmpeg_extract_subclip函数从电影处理视频文件。但是,我得到的视频剪辑并不是我设置的开始时间和结束时间之间的相同长度。例如,编写:
from moviepy.video.io.ffmpeg_tools import ffmpeg_extract_subclip
clip=clip_filename
cutclip="cutvideo.avi"
ffmpeg_extract_subclip(clip_filename, 0, 10, targetname=cutclip)
我得到一个长度为10,03或类似的视频(就帧计数而言,我得到602帧,而不是确切的600)。有什么方法可以得到更精确的输出?
发布于 2020-09-16 12:38:23
嗯……我会把this答案和ffmpeg_extract_subclip
(https://zulko.github.io/moviepy/_modules/moviepy/video/io/ffmpeg_tools.html#ffmpeg_extract_subclip)的实际实现结合起来:
def ffmpeg_extract_subclip(filename, t1, t2, targetname=None):
""" Makes a new video file playing video file ``filename`` between
the times ``t1`` and ``t2``. """
name, ext = os.path.splitext(filename)
if not targetname:
T1, T2 = [int(1000*t) for t in [t1, t2]]
targetname = "%sSUB%d_%d.%s" % (name, T1, T2, ext)
cmd = [get_setting("FFMPEG_BINARY"),"-y",
"-ss", "%0.2f"%t1,
"-i", filename,
"-t", "%0.2f"%(t2-t1),
"-map", "0", "-vcodec", "copy", "-acodec", "copy", targetname]
subprocess_call(cmd)
因此,如您所见,库是相当无状态的,因此可以很容易地扩展:
def ffmpeg_extract_subclip_precisely(filename, t1, t2, targetname=None):
""" Makes a new video file playing video file ``filename`` between
the times ``t1`` and ``t2``. """
name, ext = os.path.splitext(filename)
if not targetname:
T1, T2 = [int(1000*t) for t in [t1, t2]]
targetname = "%sSUB%d_%d.%s" % (name, T1, T2, ext)
cmd = [get_setting("FFMPEG_BINARY"), "-i", filename,
"-force_key_frames", "{}:{}".format(t1,t2), "temp_out.mp4"]
subprocess_call(cmd)
cmd = [get_setting("FFMPEG_BINARY"),"-y",
"-ss", "%0.2f"%t1,
"-i", "temp_out.mp4",
"-t", "%0.2f"%(t2-t1),
"-map", "0", "-vcodec", "copy", "-acodec", "copy", targetname]
subprocess_call(cmd)
顺便说一句,我认为只要有可能,你应该以毫秒的精度指定时间。
请注意,上面的代码是未经测试的。
https://stackoverflow.com/questions/63926682
复制相似问题