Alexander Vakrilov
Alexander Vakrilov

Reputation: 1131

Create multiple thumbnails from a video at equal times / intervals

I need to create multiple thumbnails (ex. 12) from a video at equal times using ffmpeg. So for example if the video is 60 seconds - I need to extract a screenshot every 5 seconds.

Im using the following command to get the frame in the 5ths second.

ffmpeg -ss 5 -i video.webm -frames:v 1 -s 120x90 thumbnail.jpeg

Is there a way to get multiple thumbnails with one command?

Upvotes: 4

Views: 6170

Answers (2)

Amandeep Kaur
Amandeep Kaur

Reputation: 11

<?php

$ffmpegPath = exec('which ffmpeg'); $ffprobePath = exec('which ffprobe');

$command = "$ffprobePath -v error -show_entries format=duration -of default=noprint_wrappers=1:nokey=1 $input_video"; $video_duration = shell_exec($command);

$thumbnails_output = 'output%02d.png'; $command = "$ffmpegPath -i $input_video -vf fps=3/$video_duration $thumbnails_output"; 
shell_exec($command);

?>

Upvotes: 1

llogan
llogan

Reputation: 133783

Get duration (optional)

Get duration using ffprobe. This is an optional step but is helpful if you will be scripting or automating the next commands.

ffprobe -v error -show_entries format=duration -of default=noprint_wrappers=1:nokey=1 input.mp4

Example result:

60.000000

Output one frame every 5 seconds

Using the select filter:

ffmpeg -i input.mp4 -vf "select='not(mod(t,5))',setpts=N/FRAME_RATE/TB" output_%04d.jpg

or

ffmpeg -i input.mp4 -vf "select='not(mod(t,5))'" -vsync vfr output_%04d.jpg

Output specific number of equally spaced frames

This will output 12 frames from a 60 second duration input:

ffmpeg -i input.mp4 -vf "select='not(mod(t,60/12))'" -vsync vfr output_%04d.jpg

You must manually enter the duration of the input (shown as 60 in the example above). See an automatic method immediately below.

Using ffprobe to automatically provide duration value

Bash example:

input=input.mp4; ffmpeg -i "$input" -vf "select='not(mod(t,$(ffprobe -v error -show_entries format=duration -of default=noprint_wrappers=1:nokey=1 $input)/12))'" -vsync vfr output_%04d.jpg

With scale filter

Example using the scale filter:

ffmpeg -i input.mp4 -vf "select='not(mod(t,60/12))',scale=120:-1" -vsync vfr output_%04d.jpg

Upvotes: 10

Related Questions