SingularitySG
SingularitySG

Reputation: 61

Is there a Python Library to extract video metadata such as [Title, Description, Caption/Subtitles]?

I'm currently trying to find python libraries that can assist me in extracting metadata or information from video files such as [mp4, Mkv, Avi, WebM, mpg] formats for example.

The main data that I'm focusing on extracting from the video files are mostly the [Title, Description, Comment, Captions/Subtitles].

I've tried using FFmpeg-python following this guide: https://www.thepythoncode.com/article/extract-media-metadata-in-python

and Tinytag, https://www.geeksforgeeks.org/access-metadata-of-various-audio-and-video-file-formats-using-python-tinytag-library/

From my understanding, FFmpeg-python provided the most data from the probe() function but the output does not contain [Title, Description, Comment] and closed_captions is simply '0' which I assume is the source track.

Thank you for any help provided.

Upvotes: 4

Views: 6921

Answers (1)

kesh
kesh

Reputation: 5463

You can use ffprobe to get the metadata:

import subprocess as sp
import json
import pprint

out = sp.run(['ffprobe','-of','json','-show_entries', 'format:stream', videofile],\
             stdout=sp.PIPE, stderr=sp.PIPE, universal_newlines=True)
results = json.loads(out.stdout)
metadata_format = results['format']['tags']
metadata_streams = [res['tags'] for res in results['streams']]

pprint(metadata_format) # "main" metadata: Title & Description found here
pprint(metadata_streams) # per-stream metadata

For the substitles/closed-captions, you need to read the subtitle streams with ffmpeg:

# get subtitle in webvtt format
out = sp.run(['ffmpeg','-i',videofile, '-map', 's:0', '-f','webvtt','-'],\
             stdout=sp.PIPE, stderr=sp.PIPE, universal_newlines=True)
subtitle = out.stdout

Then you can use a library like webvtt-py to parse the subtitle data. (I don't have firsthand experience, so try it yourself.)

One caveat though. If your video is a DVD rip, then its subtitle streams (dvd_subtitle) are bitmaps and not text, and FFmpeg cannot convert it to a text data.

Upvotes: 2

Related Questions