3

我需要在我的硬盘上找到一些视频文件的开始日期。修改日期或文件名等对我没有帮助 - 真正的开始时间在隐藏式字幕中。

使用CCExtractor和一些Python Popen ...

import subprocess
process = subprocess.Popen(['ccextractorwin.exe', 'mycaptions.srt', '-quiet',
        'myvideo.mpg'], stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
out, err = process.communicate()

这会生成一个隐藏式字幕 .srt 文件,我想要的肯定在那里:

1
00:00:00,000 --> 00:00:06,772
4756.9585N, 12905.8976W, 1885   
2013-06-20 16:50:29, Hdg: 54                

2
00:00:06,774 --> 00:00:07,373
2013-06-20 16:50:29, Hdg: 54               
4756.9585N, 12905.8976W, 1883   

...

但问题是这些视频文件有数百 GB,而 CCExtractor 会生成整个字幕文件。我需要的只是开始时间,它在第一个条目中。

CCExtractor 上是否有一个晦涩的未记录选项,或者可能是另一个(免费)工具,可以让我获得第一个条目?

我能想到的唯一选择是启动 CCExtractor,生成一个线程来读取正在生成的字幕文件,然后终止 CCExtractor 进程和读取线程。还不错,但我想先看看是否有更好的方法。

4

1 回答 1

2

而不是使用process.communicate()阻塞直到从应用程序中读取所有数据,而是将结果作为流逐行读取。然后,您可以在阅读尽可能多的内容后终止底层进程。您还需要ccextractorwin.exe使用标志将输出重定向到 STDOUT -stdout

import subprocess
process = subprocess.Popen(
    ['ccextractorwin.exe', '-stdout', '-quiet', 'myvideo.mpg'],
    stdout=subprocess.PIPE, stderr=subprocess.STDOUT
)
all_output = []
while True:
    out_line = process.stdout.readline()
    all_output.append(out_line)  # Add this line to the list of lines to keep
    if out_line == u'\n':  # We've hit an empty line, or whatever else you deem like a good stopping point
        break  # the while loop

# Now, kill the process dead in its tracks.
# This probably isn't great for open file handles, but whatever
process.kill()

这会发送SIGKILL到应用程序,这可能(当然)在 Windows 上的工作方式与在 Linux 或 OSX 上的工作方式不同。如果有问题,请参阅此处以获取有关杀死它的替代解决方案:在 Python 2.5 中,如何杀死子进程?

希望有帮助。

于 2013-11-21T09:36:57.383 回答