summaryrefslogtreecommitdiff
path: root/doc/filters.texi (plain)
blob: 8e5e21f9eda97eaed3942015b79f4bf1c7397022
1@chapter Filtering Introduction
2@c man begin FILTERING INTRODUCTION
3
4Filtering in FFmpeg is enabled through the libavfilter library.
5
6In libavfilter, a filter can have multiple inputs and multiple
7outputs.
8To illustrate the sorts of things that are possible, we consider the
9following filtergraph.
10
11@verbatim
12 [main]
13input --> split ---------------------> overlay --> output
14 | ^
15 |[tmp] [flip]|
16 +-----> crop --> vflip -------+
17@end verbatim
18
19This filtergraph splits the input stream in two streams, then sends one
20stream through the crop filter and the vflip filter, before merging it
21back with the other stream by overlaying it on top. You can use the
22following command to achieve this:
23
24@example
25ffmpeg -i INPUT -vf "split [main][tmp]; [tmp] crop=iw:ih/2:0:0, vflip [flip]; [main][flip] overlay=0:H/2" OUTPUT
26@end example
27
28The result will be that the top half of the video is mirrored
29onto the bottom half of the output video.
30
31Filters in the same linear chain are separated by commas, and distinct
32linear chains of filters are separated by semicolons. In our example,
33@var{crop,vflip} are in one linear chain, @var{split} and
34@var{overlay} are separately in another. The points where the linear
35chains join are labelled by names enclosed in square brackets. In the
36example, the split filter generates two outputs that are associated to
37the labels @var{[main]} and @var{[tmp]}.
38
39The stream sent to the second output of @var{split}, labelled as
40@var{[tmp]}, is processed through the @var{crop} filter, which crops
41away the lower half part of the video, and then vertically flipped. The
42@var{overlay} filter takes in input the first unchanged output of the
43split filter (which was labelled as @var{[main]}), and overlay on its
44lower half the output generated by the @var{crop,vflip} filterchain.
45
46Some filters take in input a list of parameters: they are specified
47after the filter name and an equal sign, and are separated from each other
48by a colon.
49
50There exist so-called @var{source filters} that do not have an
51audio/video input, and @var{sink filters} that will not have audio/video
52output.
53
54@c man end FILTERING INTRODUCTION
55
56@chapter graph2dot
57@c man begin GRAPH2DOT
58
59The @file{graph2dot} program included in the FFmpeg @file{tools}
60directory can be used to parse a filtergraph description and issue a
61corresponding textual representation in the dot language.
62
63Invoke the command:
64@example
65graph2dot -h
66@end example
67
68to see how to use @file{graph2dot}.
69
70You can then pass the dot description to the @file{dot} program (from
71the graphviz suite of programs) and obtain a graphical representation
72of the filtergraph.
73
74For example the sequence of commands:
75@example
76echo @var{GRAPH_DESCRIPTION} | \
77tools/graph2dot -o graph.tmp && \
78dot -Tpng graph.tmp -o graph.png && \
79display graph.png
80@end example
81
82can be used to create and display an image representing the graph
83described by the @var{GRAPH_DESCRIPTION} string. Note that this string must be
84a complete self-contained graph, with its inputs and outputs explicitly defined.
85For example if your command line is of the form:
86@example
87ffmpeg -i infile -vf scale=640:360 outfile
88@end example
89your @var{GRAPH_DESCRIPTION} string will need to be of the form:
90@example
91nullsrc,scale=640:360,nullsink
92@end example
93you may also need to set the @var{nullsrc} parameters and add a @var{format}
94filter in order to simulate a specific input file.
95
96@c man end GRAPH2DOT
97
98@chapter Filtergraph description
99@c man begin FILTERGRAPH DESCRIPTION
100
101A filtergraph is a directed graph of connected filters. It can contain
102cycles, and there can be multiple links between a pair of
103filters. Each link has one input pad on one side connecting it to one
104filter from which it takes its input, and one output pad on the other
105side connecting it to one filter accepting its output.
106
107Each filter in a filtergraph is an instance of a filter class
108registered in the application, which defines the features and the
109number of input and output pads of the filter.
110
111A filter with no input pads is called a "source", and a filter with no
112output pads is called a "sink".
113
114@anchor{Filtergraph syntax}
115@section Filtergraph syntax
116
117A filtergraph has a textual representation, which is recognized by the
118@option{-filter}/@option{-vf}/@option{-af} and
119@option{-filter_complex} options in @command{ffmpeg} and
120@option{-vf}/@option{-af} in @command{ffplay}, and by the
121@code{avfilter_graph_parse_ptr()} function defined in
122@file{libavfilter/avfilter.h}.
123
124A filterchain consists of a sequence of connected filters, each one
125connected to the previous one in the sequence. A filterchain is
126represented by a list of ","-separated filter descriptions.
127
128A filtergraph consists of a sequence of filterchains. A sequence of
129filterchains is represented by a list of ";"-separated filterchain
130descriptions.
131
132A filter is represented by a string of the form:
133[@var{in_link_1}]...[@var{in_link_N}]@var{filter_name}=@var{arguments}[@var{out_link_1}]...[@var{out_link_M}]
134
135@var{filter_name} is the name of the filter class of which the
136described filter is an instance of, and has to be the name of one of
137the filter classes registered in the program.
138The name of the filter class is optionally followed by a string
139"=@var{arguments}".
140
141@var{arguments} is a string which contains the parameters used to
142initialize the filter instance. It may have one of two forms:
143@itemize
144
145@item
146A ':'-separated list of @var{key=value} pairs.
147
148@item
149A ':'-separated list of @var{value}. In this case, the keys are assumed to be
150the option names in the order they are declared. E.g. the @code{fade} filter
151declares three options in this order -- @option{type}, @option{start_frame} and
152@option{nb_frames}. Then the parameter list @var{in:0:30} means that the value
153@var{in} is assigned to the option @option{type}, @var{0} to
154@option{start_frame} and @var{30} to @option{nb_frames}.
155
156@item
157A ':'-separated list of mixed direct @var{value} and long @var{key=value}
158pairs. The direct @var{value} must precede the @var{key=value} pairs, and
159follow the same constraints order of the previous point. The following
160@var{key=value} pairs can be set in any preferred order.
161
162@end itemize
163
164If the option value itself is a list of items (e.g. the @code{format} filter
165takes a list of pixel formats), the items in the list are usually separated by
166@samp{|}.
167
168The list of arguments can be quoted using the character @samp{'} as initial
169and ending mark, and the character @samp{\} for escaping the characters
170within the quoted text; otherwise the argument string is considered
171terminated when the next special character (belonging to the set
172@samp{[]=;,}) is encountered.
173
174The name and arguments of the filter are optionally preceded and
175followed by a list of link labels.
176A link label allows one to name a link and associate it to a filter output
177or input pad. The preceding labels @var{in_link_1}
178... @var{in_link_N}, are associated to the filter input pads,
179the following labels @var{out_link_1} ... @var{out_link_M}, are
180associated to the output pads.
181
182When two link labels with the same name are found in the
183filtergraph, a link between the corresponding input and output pad is
184created.
185
186If an output pad is not labelled, it is linked by default to the first
187unlabelled input pad of the next filter in the filterchain.
188For example in the filterchain
189@example
190nullsrc, split[L1], [L2]overlay, nullsink
191@end example
192the split filter instance has two output pads, and the overlay filter
193instance two input pads. The first output pad of split is labelled
194"L1", the first input pad of overlay is labelled "L2", and the second
195output pad of split is linked to the second input pad of overlay,
196which are both unlabelled.
197
198In a filter description, if the input label of the first filter is not
199specified, "in" is assumed; if the output label of the last filter is not
200specified, "out" is assumed.
201
202In a complete filterchain all the unlabelled filter input and output
203pads must be connected. A filtergraph is considered valid if all the
204filter input and output pads of all the filterchains are connected.
205
206Libavfilter will automatically insert @ref{scale} filters where format
207conversion is required. It is possible to specify swscale flags
208for those automatically inserted scalers by prepending
209@code{sws_flags=@var{flags};}
210to the filtergraph description.
211
212Here is a BNF description of the filtergraph syntax:
213@example
214@var{NAME} ::= sequence of alphanumeric characters and '_'
215@var{LINKLABEL} ::= "[" @var{NAME} "]"
216@var{LINKLABELS} ::= @var{LINKLABEL} [@var{LINKLABELS}]
217@var{FILTER_ARGUMENTS} ::= sequence of chars (possibly quoted)
218@var{FILTER} ::= [@var{LINKLABELS}] @var{NAME} ["=" @var{FILTER_ARGUMENTS}] [@var{LINKLABELS}]
219@var{FILTERCHAIN} ::= @var{FILTER} [,@var{FILTERCHAIN}]
220@var{FILTERGRAPH} ::= [sws_flags=@var{flags};] @var{FILTERCHAIN} [;@var{FILTERGRAPH}]
221@end example
222
223@section Notes on filtergraph escaping
224
225Filtergraph description composition entails several levels of
226escaping. See @ref{quoting_and_escaping,,the "Quoting and escaping"
227section in the ffmpeg-utils(1) manual,ffmpeg-utils} for more
228information about the employed escaping procedure.
229
230A first level escaping affects the content of each filter option
231value, which may contain the special character @code{:} used to
232separate values, or one of the escaping characters @code{\'}.
233
234A second level escaping affects the whole filter description, which
235may contain the escaping characters @code{\'} or the special
236characters @code{[],;} used by the filtergraph description.
237
238Finally, when you specify a filtergraph on a shell commandline, you
239need to perform a third level escaping for the shell special
240characters contained within it.
241
242For example, consider the following string to be embedded in
243the @ref{drawtext} filter description @option{text} value:
244@example
245this is a 'string': may contain one, or more, special characters
246@end example
247
248This string contains the @code{'} special escaping character, and the
249@code{:} special character, so it needs to be escaped in this way:
250@example
251text=this is a \'string\'\: may contain one, or more, special characters
252@end example
253
254A second level of escaping is required when embedding the filter
255description in a filtergraph description, in order to escape all the
256filtergraph special characters. Thus the example above becomes:
257@example
258drawtext=text=this is a \\\'string\\\'\\: may contain one\, or more\, special characters
259@end example
260(note that in addition to the @code{\'} escaping special characters,
261also @code{,} needs to be escaped).
262
263Finally an additional level of escaping is needed when writing the
264filtergraph description in a shell command, which depends on the
265escaping rules of the adopted shell. For example, assuming that
266@code{\} is special and needs to be escaped with another @code{\}, the
267previous string will finally result in:
268@example
269-vf "drawtext=text=this is a \\\\\\'string\\\\\\'\\\\: may contain one\\, or more\\, special characters"
270@end example
271
272@chapter Timeline editing
273
274Some filters support a generic @option{enable} option. For the filters
275supporting timeline editing, this option can be set to an expression which is
276evaluated before sending a frame to the filter. If the evaluation is non-zero,
277the filter will be enabled, otherwise the frame will be sent unchanged to the
278next filter in the filtergraph.
279
280The expression accepts the following values:
281@table @samp
282@item t
283timestamp expressed in seconds, NAN if the input timestamp is unknown
284
285@item n
286sequential number of the input frame, starting from 0
287
288@item pos
289the position in the file of the input frame, NAN if unknown
290
291@item w
292@item h
293width and height of the input frame if video
294@end table
295
296Additionally, these filters support an @option{enable} command that can be used
297to re-define the expression.
298
299Like any other filtering option, the @option{enable} option follows the same
300rules.
301
302For example, to enable a blur filter (@ref{smartblur}) from 10 seconds to 3
303minutes, and a @ref{curves} filter starting at 3 seconds:
304@example
305smartblur = enable='between(t,10,3*60)',
306curves = enable='gte(t,3)' : preset=cross_process
307@end example
308
309See @code{ffmpeg -filters} to view which filters have timeline support.
310
311@c man end FILTERGRAPH DESCRIPTION
312
313@chapter Audio Filters
314@c man begin AUDIO FILTERS
315
316When you configure your FFmpeg build, you can disable any of the
317existing filters using @code{--disable-filters}.
318The configure output will show the audio filters included in your
319build.
320
321Below is a description of the currently available audio filters.
322
323@section acompressor
324
325A compressor is mainly used to reduce the dynamic range of a signal.
326Especially modern music is mostly compressed at a high ratio to
327improve the overall loudness. It's done to get the highest attention
328of a listener, "fatten" the sound and bring more "power" to the track.
329If a signal is compressed too much it may sound dull or "dead"
330afterwards or it may start to "pump" (which could be a powerful effect
331but can also destroy a track completely).
332The right compression is the key to reach a professional sound and is
333the high art of mixing and mastering. Because of its complex settings
334it may take a long time to get the right feeling for this kind of effect.
335
336Compression is done by detecting the volume above a chosen level
337@code{threshold} and dividing it by the factor set with @code{ratio}.
338So if you set the threshold to -12dB and your signal reaches -6dB a ratio
339of 2:1 will result in a signal at -9dB. Because an exact manipulation of
340the signal would cause distortion of the waveform the reduction can be
341levelled over the time. This is done by setting "Attack" and "Release".
342@code{attack} determines how long the signal has to rise above the threshold
343before any reduction will occur and @code{release} sets the time the signal
344has to fall below the threshold to reduce the reduction again. Shorter signals
345than the chosen attack time will be left untouched.
346The overall reduction of the signal can be made up afterwards with the
347@code{makeup} setting. So compressing the peaks of a signal about 6dB and
348raising the makeup to this level results in a signal twice as loud than the
349source. To gain a softer entry in the compression the @code{knee} flattens the
350hard edge at the threshold in the range of the chosen decibels.
351
352The filter accepts the following options:
353
354@table @option
355@item level_in
356Set input gain. Default is 1. Range is between 0.015625 and 64.
357
358@item threshold
359If a signal of second stream rises above this level it will affect the gain
360reduction of the first stream.
361By default it is 0.125. Range is between 0.00097563 and 1.
362
363@item ratio
364Set a ratio by which the signal is reduced. 1:2 means that if the level
365rose 4dB above the threshold, it will be only 2dB above after the reduction.
366Default is 2. Range is between 1 and 20.
367
368@item attack
369Amount of milliseconds the signal has to rise above the threshold before gain
370reduction starts. Default is 20. Range is between 0.01 and 2000.
371
372@item release
373Amount of milliseconds the signal has to fall below the threshold before
374reduction is decreased again. Default is 250. Range is between 0.01 and 9000.
375
376@item makeup
377Set the amount by how much signal will be amplified after processing.
378Default is 2. Range is from 1 and 64.
379
380@item knee
381Curve the sharp knee around the threshold to enter gain reduction more softly.
382Default is 2.82843. Range is between 1 and 8.
383
384@item link
385Choose if the @code{average} level between all channels of input stream
386or the louder(@code{maximum}) channel of input stream affects the
387reduction. Default is @code{average}.
388
389@item detection
390Should the exact signal be taken in case of @code{peak} or an RMS one in case
391of @code{rms}. Default is @code{rms} which is mostly smoother.
392
393@item mix
394How much to use compressed signal in output. Default is 1.
395Range is between 0 and 1.
396@end table
397
398@section acrossfade
399
400Apply cross fade from one input audio stream to another input audio stream.
401The cross fade is applied for specified duration near the end of first stream.
402
403The filter accepts the following options:
404
405@table @option
406@item nb_samples, ns
407Specify the number of samples for which the cross fade effect has to last.
408At the end of the cross fade effect the first input audio will be completely
409silent. Default is 44100.
410
411@item duration, d
412Specify the duration of the cross fade effect. See
413@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
414for the accepted syntax.
415By default the duration is determined by @var{nb_samples}.
416If set this option is used instead of @var{nb_samples}.
417
418@item overlap, o
419Should first stream end overlap with second stream start. Default is enabled.
420
421@item curve1
422Set curve for cross fade transition for first stream.
423
424@item curve2
425Set curve for cross fade transition for second stream.
426
427For description of available curve types see @ref{afade} filter description.
428@end table
429
430@subsection Examples
431
432@itemize
433@item
434Cross fade from one input to another:
435@example
436ffmpeg -i first.flac -i second.flac -filter_complex acrossfade=d=10:c1=exp:c2=exp output.flac
437@end example
438
439@item
440Cross fade from one input to another but without overlapping:
441@example
442ffmpeg -i first.flac -i second.flac -filter_complex acrossfade=d=10:o=0:c1=exp:c2=exp output.flac
443@end example
444@end itemize
445
446@section acrusher
447
448Reduce audio bit resolution.
449
450This filter is bit crusher with enhanced functionality. A bit crusher
451is used to audibly reduce number of bits an audio signal is sampled
452with. This doesn't change the bit depth at all, it just produces the
453effect. Material reduced in bit depth sounds more harsh and "digital".
454This filter is able to even round to continuous values instead of discrete
455bit depths.
456Additionally it has a D/C offset which results in different crushing of
457the lower and the upper half of the signal.
458An Anti-Aliasing setting is able to produce "softer" crushing sounds.
459
460Another feature of this filter is the logarithmic mode.
461This setting switches from linear distances between bits to logarithmic ones.
462The result is a much more "natural" sounding crusher which doesn't gate low
463signals for example. The human ear has a logarithmic perception, too
464so this kind of crushing is much more pleasant.
465Logarithmic crushing is also able to get anti-aliased.
466
467The filter accepts the following options:
468
469@table @option
470@item level_in
471Set level in.
472
473@item level_out
474Set level out.
475
476@item bits
477Set bit reduction.
478
479@item mix
480Set mixing amount.
481
482@item mode
483Can be linear: @code{lin} or logarithmic: @code{log}.
484
485@item dc
486Set DC.
487
488@item aa
489Set anti-aliasing.
490
491@item samples
492Set sample reduction.
493
494@item lfo
495Enable LFO. By default disabled.
496
497@item lforange
498Set LFO range.
499
500@item lforate
501Set LFO rate.
502@end table
503
504@section adelay
505
506Delay one or more audio channels.
507
508Samples in delayed channel are filled with silence.
509
510The filter accepts the following option:
511
512@table @option
513@item delays
514Set list of delays in milliseconds for each channel separated by '|'.
515At least one delay greater than 0 should be provided.
516Unused delays will be silently ignored. If number of given delays is
517smaller than number of channels all remaining channels will not be delayed.
518If you want to delay exact number of samples, append 'S' to number.
519@end table
520
521@subsection Examples
522
523@itemize
524@item
525Delay first channel by 1.5 seconds, the third channel by 0.5 seconds and leave
526the second channel (and any other channels that may be present) unchanged.
527@example
528adelay=1500|0|500
529@end example
530
531@item
532Delay second channel by 500 samples, the third channel by 700 samples and leave
533the first channel (and any other channels that may be present) unchanged.
534@example
535adelay=0|500S|700S
536@end example
537@end itemize
538
539@section aecho
540
541Apply echoing to the input audio.
542
543Echoes are reflected sound and can occur naturally amongst mountains
544(and sometimes large buildings) when talking or shouting; digital echo
545effects emulate this behaviour and are often used to help fill out the
546sound of a single instrument or vocal. The time difference between the
547original signal and the reflection is the @code{delay}, and the
548loudness of the reflected signal is the @code{decay}.
549Multiple echoes can have different delays and decays.
550
551A description of the accepted parameters follows.
552
553@table @option
554@item in_gain
555Set input gain of reflected signal. Default is @code{0.6}.
556
557@item out_gain
558Set output gain of reflected signal. Default is @code{0.3}.
559
560@item delays
561Set list of time intervals in milliseconds between original signal and reflections
562separated by '|'. Allowed range for each @code{delay} is @code{(0 - 90000.0]}.
563Default is @code{1000}.
564
565@item decays
566Set list of loudnesses of reflected signals separated by '|'.
567Allowed range for each @code{decay} is @code{(0 - 1.0]}.
568Default is @code{0.5}.
569@end table
570
571@subsection Examples
572
573@itemize
574@item
575Make it sound as if there are twice as many instruments as are actually playing:
576@example
577aecho=0.8:0.88:60:0.4
578@end example
579
580@item
581If delay is very short, then it sound like a (metallic) robot playing music:
582@example
583aecho=0.8:0.88:6:0.4
584@end example
585
586@item
587A longer delay will sound like an open air concert in the mountains:
588@example
589aecho=0.8:0.9:1000:0.3
590@end example
591
592@item
593Same as above but with one more mountain:
594@example
595aecho=0.8:0.9:1000|1800:0.3|0.25
596@end example
597@end itemize
598
599@section aemphasis
600Audio emphasis filter creates or restores material directly taken from LPs or
601emphased CDs with different filter curves. E.g. to store music on vinyl the
602signal has to be altered by a filter first to even out the disadvantages of
603this recording medium.
604Once the material is played back the inverse filter has to be applied to
605restore the distortion of the frequency response.
606
607The filter accepts the following options:
608
609@table @option
610@item level_in
611Set input gain.
612
613@item level_out
614Set output gain.
615
616@item mode
617Set filter mode. For restoring material use @code{reproduction} mode, otherwise
618use @code{production} mode. Default is @code{reproduction} mode.
619
620@item type
621Set filter type. Selects medium. Can be one of the following:
622
623@table @option
624@item col
625select Columbia.
626@item emi
627select EMI.
628@item bsi
629select BSI (78RPM).
630@item riaa
631select RIAA.
632@item cd
633select Compact Disc (CD).
634@item 50fm
635select 50µs (FM).
636@item 75fm
637select 75µs (FM).
638@item 50kf
639select 50µs (FM-KF).
640@item 75kf
641select 75µs (FM-KF).
642@end table
643@end table
644
645@section aeval
646
647Modify an audio signal according to the specified expressions.
648
649This filter accepts one or more expressions (one for each channel),
650which are evaluated and used to modify a corresponding audio signal.
651
652It accepts the following parameters:
653
654@table @option
655@item exprs
656Set the '|'-separated expressions list for each separate channel. If
657the number of input channels is greater than the number of
658expressions, the last specified expression is used for the remaining
659output channels.
660
661@item channel_layout, c
662Set output channel layout. If not specified, the channel layout is
663specified by the number of expressions. If set to @samp{same}, it will
664use by default the same input channel layout.
665@end table
666
667Each expression in @var{exprs} can contain the following constants and functions:
668
669@table @option
670@item ch
671channel number of the current expression
672
673@item n
674number of the evaluated sample, starting from 0
675
676@item s
677sample rate
678
679@item t
680time of the evaluated sample expressed in seconds
681
682@item nb_in_channels
683@item nb_out_channels
684input and output number of channels
685
686@item val(CH)
687the value of input channel with number @var{CH}
688@end table
689
690Note: this filter is slow. For faster processing you should use a
691dedicated filter.
692
693@subsection Examples
694
695@itemize
696@item
697Half volume:
698@example
699aeval=val(ch)/2:c=same
700@end example
701
702@item
703Invert phase of the second channel:
704@example
705aeval=val(0)|-val(1)
706@end example
707@end itemize
708
709@anchor{afade}
710@section afade
711
712Apply fade-in/out effect to input audio.
713
714A description of the accepted parameters follows.
715
716@table @option
717@item type, t
718Specify the effect type, can be either @code{in} for fade-in, or
719@code{out} for a fade-out effect. Default is @code{in}.
720
721@item start_sample, ss
722Specify the number of the start sample for starting to apply the fade
723effect. Default is 0.
724
725@item nb_samples, ns
726Specify the number of samples for which the fade effect has to last. At
727the end of the fade-in effect the output audio will have the same
728volume as the input audio, at the end of the fade-out transition
729the output audio will be silence. Default is 44100.
730
731@item start_time, st
732Specify the start time of the fade effect. Default is 0.
733The value must be specified as a time duration; see
734@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
735for the accepted syntax.
736If set this option is used instead of @var{start_sample}.
737
738@item duration, d
739Specify the duration of the fade effect. See
740@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
741for the accepted syntax.
742At the end of the fade-in effect the output audio will have the same
743volume as the input audio, at the end of the fade-out transition
744the output audio will be silence.
745By default the duration is determined by @var{nb_samples}.
746If set this option is used instead of @var{nb_samples}.
747
748@item curve
749Set curve for fade transition.
750
751It accepts the following values:
752@table @option
753@item tri
754select triangular, linear slope (default)
755@item qsin
756select quarter of sine wave
757@item hsin
758select half of sine wave
759@item esin
760select exponential sine wave
761@item log
762select logarithmic
763@item ipar
764select inverted parabola
765@item qua
766select quadratic
767@item cub
768select cubic
769@item squ
770select square root
771@item cbr
772select cubic root
773@item par
774select parabola
775@item exp
776select exponential
777@item iqsin
778select inverted quarter of sine wave
779@item ihsin
780select inverted half of sine wave
781@item dese
782select double-exponential seat
783@item desi
784select double-exponential sigmoid
785@end table
786@end table
787
788@subsection Examples
789
790@itemize
791@item
792Fade in first 15 seconds of audio:
793@example
794afade=t=in:ss=0:d=15
795@end example
796
797@item
798Fade out last 25 seconds of a 900 seconds audio:
799@example
800afade=t=out:st=875:d=25
801@end example
802@end itemize
803
804@section afftfilt
805Apply arbitrary expressions to samples in frequency domain.
806
807@table @option
808@item real
809Set frequency domain real expression for each separate channel separated
810by '|'. Default is "1".
811If the number of input channels is greater than the number of
812expressions, the last specified expression is used for the remaining
813output channels.
814
815@item imag
816Set frequency domain imaginary expression for each separate channel
817separated by '|'. If not set, @var{real} option is used.
818
819Each expression in @var{real} and @var{imag} can contain the following
820constants:
821
822@table @option
823@item sr
824sample rate
825
826@item b
827current frequency bin number
828
829@item nb
830number of available bins
831
832@item ch
833channel number of the current expression
834
835@item chs
836number of channels
837
838@item pts
839current frame pts
840@end table
841
842@item win_size
843Set window size.
844
845It accepts the following values:
846@table @samp
847@item w16
848@item w32
849@item w64
850@item w128
851@item w256
852@item w512
853@item w1024
854@item w2048
855@item w4096
856@item w8192
857@item w16384
858@item w32768
859@item w65536
860@end table
861Default is @code{w4096}
862
863@item win_func
864Set window function. Default is @code{hann}.
865
866@item overlap
867Set window overlap. If set to 1, the recommended overlap for selected
868window function will be picked. Default is @code{0.75}.
869@end table
870
871@subsection Examples
872
873@itemize
874@item
875Leave almost only low frequencies in audio:
876@example
877afftfilt="1-clip((b/nb)*b,0,1)"
878@end example
879@end itemize
880
881@anchor{aformat}
882@section aformat
883
884Set output format constraints for the input audio. The framework will
885negotiate the most appropriate format to minimize conversions.
886
887It accepts the following parameters:
888@table @option
889
890@item sample_fmts
891A '|'-separated list of requested sample formats.
892
893@item sample_rates
894A '|'-separated list of requested sample rates.
895
896@item channel_layouts
897A '|'-separated list of requested channel layouts.
898
899See @ref{channel layout syntax,,the Channel Layout section in the ffmpeg-utils(1) manual,ffmpeg-utils}
900for the required syntax.
901@end table
902
903If a parameter is omitted, all values are allowed.
904
905Force the output to either unsigned 8-bit or signed 16-bit stereo
906@example
907aformat=sample_fmts=u8|s16:channel_layouts=stereo
908@end example
909
910@section agate
911
912A gate is mainly used to reduce lower parts of a signal. This kind of signal
913processing reduces disturbing noise between useful signals.
914
915Gating is done by detecting the volume below a chosen level @var{threshold}
916and dividing it by the factor set with @var{ratio}. The bottom of the noise
917floor is set via @var{range}. Because an exact manipulation of the signal
918would cause distortion of the waveform the reduction can be levelled over
919time. This is done by setting @var{attack} and @var{release}.
920
921@var{attack} determines how long the signal has to fall below the threshold
922before any reduction will occur and @var{release} sets the time the signal
923has to rise above the threshold to reduce the reduction again.
924Shorter signals than the chosen attack time will be left untouched.
925
926@table @option
927@item level_in
928Set input level before filtering.
929Default is 1. Allowed range is from 0.015625 to 64.
930
931@item range
932Set the level of gain reduction when the signal is below the threshold.
933Default is 0.06125. Allowed range is from 0 to 1.
934
935@item threshold
936If a signal rises above this level the gain reduction is released.
937Default is 0.125. Allowed range is from 0 to 1.
938
939@item ratio
940Set a ratio by which the signal is reduced.
941Default is 2. Allowed range is from 1 to 9000.
942
943@item attack
944Amount of milliseconds the signal has to rise above the threshold before gain
945reduction stops.
946Default is 20 milliseconds. Allowed range is from 0.01 to 9000.
947
948@item release
949Amount of milliseconds the signal has to fall below the threshold before the
950reduction is increased again. Default is 250 milliseconds.
951Allowed range is from 0.01 to 9000.
952
953@item makeup
954Set amount of amplification of signal after processing.
955Default is 1. Allowed range is from 1 to 64.
956
957@item knee
958Curve the sharp knee around the threshold to enter gain reduction more softly.
959Default is 2.828427125. Allowed range is from 1 to 8.
960
961@item detection
962Choose if exact signal should be taken for detection or an RMS like one.
963Default is @code{rms}. Can be @code{peak} or @code{rms}.
964
965@item link
966Choose if the average level between all channels or the louder channel affects
967the reduction.
968Default is @code{average}. Can be @code{average} or @code{maximum}.
969@end table
970
971@section alimiter
972
973The limiter prevents an input signal from rising over a desired threshold.
974This limiter uses lookahead technology to prevent your signal from distorting.
975It means that there is a small delay after the signal is processed. Keep in mind
976that the delay it produces is the attack time you set.
977
978The filter accepts the following options:
979
980@table @option
981@item level_in
982Set input gain. Default is 1.
983
984@item level_out
985Set output gain. Default is 1.
986
987@item limit
988Don't let signals above this level pass the limiter. Default is 1.
989
990@item attack
991The limiter will reach its attenuation level in this amount of time in
992milliseconds. Default is 5 milliseconds.
993
994@item release
995Come back from limiting to attenuation 1.0 in this amount of milliseconds.
996Default is 50 milliseconds.
997
998@item asc
999When gain reduction is always needed ASC takes care of releasing to an
1000average reduction level rather than reaching a reduction of 0 in the release
1001time.
1002
1003@item asc_level
1004Select how much the release time is affected by ASC, 0 means nearly no changes
1005in release time while 1 produces higher release times.
1006
1007@item level
1008Auto level output signal. Default is enabled.
1009This normalizes audio back to 0dB if enabled.
1010@end table
1011
1012Depending on picked setting it is recommended to upsample input 2x or 4x times
1013with @ref{aresample} before applying this filter.
1014
1015@section allpass
1016
1017Apply a two-pole all-pass filter with central frequency (in Hz)
1018@var{frequency}, and filter-width @var{width}.
1019An all-pass filter changes the audio's frequency to phase relationship
1020without changing its frequency to amplitude relationship.
1021
1022The filter accepts the following options:
1023
1024@table @option
1025@item frequency, f
1026Set frequency in Hz.
1027
1028@item width_type
1029Set method to specify band-width of filter.
1030@table @option
1031@item h
1032Hz
1033@item q
1034Q-Factor
1035@item o
1036octave
1037@item s
1038slope
1039@end table
1040
1041@item width, w
1042Specify the band-width of a filter in width_type units.
1043@end table
1044
1045@section aloop
1046
1047Loop audio samples.
1048
1049The filter accepts the following options:
1050
1051@table @option
1052@item loop
1053Set the number of loops.
1054
1055@item size
1056Set maximal number of samples.
1057
1058@item start
1059Set first sample of loop.
1060@end table
1061
1062@anchor{amerge}
1063@section amerge
1064
1065Merge two or more audio streams into a single multi-channel stream.
1066
1067The filter accepts the following options:
1068
1069@table @option
1070
1071@item inputs
1072Set the number of inputs. Default is 2.
1073
1074@end table
1075
1076If the channel layouts of the inputs are disjoint, and therefore compatible,
1077the channel layout of the output will be set accordingly and the channels
1078will be reordered as necessary. If the channel layouts of the inputs are not
1079disjoint, the output will have all the channels of the first input then all
1080the channels of the second input, in that order, and the channel layout of
1081the output will be the default value corresponding to the total number of
1082channels.
1083
1084For example, if the first input is in 2.1 (FL+FR+LF) and the second input
1085is FC+BL+BR, then the output will be in 5.1, with the channels in the
1086following order: a1, a2, b1, a3, b2, b3 (a1 is the first channel of the
1087first input, b1 is the first channel of the second input).
1088
1089On the other hand, if both input are in stereo, the output channels will be
1090in the default order: a1, a2, b1, b2, and the channel layout will be
1091arbitrarily set to 4.0, which may or may not be the expected value.
1092
1093All inputs must have the same sample rate, and format.
1094
1095If inputs do not have the same duration, the output will stop with the
1096shortest.
1097
1098@subsection Examples
1099
1100@itemize
1101@item
1102Merge two mono files into a stereo stream:
1103@example
1104amovie=left.wav [l] ; amovie=right.mp3 [r] ; [l] [r] amerge
1105@end example
1106
1107@item
1108Multiple merges assuming 1 video stream and 6 audio streams in @file{input.mkv}:
1109@example
1110ffmpeg -i input.mkv -filter_complex "[0:1][0:2][0:3][0:4][0:5][0:6] amerge=inputs=6" -c:a pcm_s16le output.mkv
1111@end example
1112@end itemize
1113
1114@section amix
1115
1116Mixes multiple audio inputs into a single output.
1117
1118Note that this filter only supports float samples (the @var{amerge}
1119and @var{pan} audio filters support many formats). If the @var{amix}
1120input has integer samples then @ref{aresample} will be automatically
1121inserted to perform the conversion to float samples.
1122
1123For example
1124@example
1125ffmpeg -i INPUT1 -i INPUT2 -i INPUT3 -filter_complex amix=inputs=3:duration=first:dropout_transition=3 OUTPUT
1126@end example
1127will mix 3 input audio streams to a single output with the same duration as the
1128first input and a dropout transition time of 3 seconds.
1129
1130It accepts the following parameters:
1131@table @option
1132
1133@item inputs
1134The number of inputs. If unspecified, it defaults to 2.
1135
1136@item duration
1137How to determine the end-of-stream.
1138@table @option
1139
1140@item longest
1141The duration of the longest input. (default)
1142
1143@item shortest
1144The duration of the shortest input.
1145
1146@item first
1147The duration of the first input.
1148
1149@end table
1150
1151@item dropout_transition
1152The transition time, in seconds, for volume renormalization when an input
1153stream ends. The default value is 2 seconds.
1154
1155@end table
1156
1157@section anequalizer
1158
1159High-order parametric multiband equalizer for each channel.
1160
1161It accepts the following parameters:
1162@table @option
1163@item params
1164
1165This option string is in format:
1166"c@var{chn} f=@var{cf} w=@var{w} g=@var{g} t=@var{f} | ..."
1167Each equalizer band is separated by '|'.
1168
1169@table @option
1170@item chn
1171Set channel number to which equalization will be applied.
1172If input doesn't have that channel the entry is ignored.
1173
1174@item f
1175Set central frequency for band.
1176If input doesn't have that frequency the entry is ignored.
1177
1178@item w
1179Set band width in hertz.
1180
1181@item g
1182Set band gain in dB.
1183
1184@item t
1185Set filter type for band, optional, can be:
1186
1187@table @samp
1188@item 0
1189Butterworth, this is default.
1190
1191@item 1
1192Chebyshev type 1.
1193
1194@item 2
1195Chebyshev type 2.
1196@end table
1197@end table
1198
1199@item curves
1200With this option activated frequency response of anequalizer is displayed
1201in video stream.
1202
1203@item size
1204Set video stream size. Only useful if curves option is activated.
1205
1206@item mgain
1207Set max gain that will be displayed. Only useful if curves option is activated.
1208Setting this to a reasonable value makes it possible to display gain which is derived from
1209neighbour bands which are too close to each other and thus produce higher gain
1210when both are activated.
1211
1212@item fscale
1213Set frequency scale used to draw frequency response in video output.
1214Can be linear or logarithmic. Default is logarithmic.
1215
1216@item colors
1217Set color for each channel curve which is going to be displayed in video stream.
1218This is list of color names separated by space or by '|'.
1219Unrecognised or missing colors will be replaced by white color.
1220@end table
1221
1222@subsection Examples
1223
1224@itemize
1225@item
1226Lower gain by 10 of central frequency 200Hz and width 100 Hz
1227for first 2 channels using Chebyshev type 1 filter:
1228@example
1229anequalizer=c0 f=200 w=100 g=-10 t=1|c1 f=200 w=100 g=-10 t=1
1230@end example
1231@end itemize
1232
1233@subsection Commands
1234
1235This filter supports the following commands:
1236@table @option
1237@item change
1238Alter existing filter parameters.
1239Syntax for the commands is : "@var{fN}|f=@var{freq}|w=@var{width}|g=@var{gain}"
1240
1241@var{fN} is existing filter number, starting from 0, if no such filter is available
1242error is returned.
1243@var{freq} set new frequency parameter.
1244@var{width} set new width parameter in herz.
1245@var{gain} set new gain parameter in dB.
1246
1247Full filter invocation with asendcmd may look like this:
1248asendcmd=c='4.0 anequalizer change 0|f=200|w=50|g=1',anequalizer=...
1249@end table
1250
1251@section anull
1252
1253Pass the audio source unchanged to the output.
1254
1255@section apad
1256
1257Pad the end of an audio stream with silence.
1258
1259This can be used together with @command{ffmpeg} @option{-shortest} to
1260extend audio streams to the same length as the video stream.
1261
1262A description of the accepted options follows.
1263
1264@table @option
1265@item packet_size
1266Set silence packet size. Default value is 4096.
1267
1268@item pad_len
1269Set the number of samples of silence to add to the end. After the
1270value is reached, the stream is terminated. This option is mutually
1271exclusive with @option{whole_len}.
1272
1273@item whole_len
1274Set the minimum total number of samples in the output audio stream. If
1275the value is longer than the input audio length, silence is added to
1276the end, until the value is reached. This option is mutually exclusive
1277with @option{pad_len}.
1278@end table
1279
1280If neither the @option{pad_len} nor the @option{whole_len} option is
1281set, the filter will add silence to the end of the input stream
1282indefinitely.
1283
1284@subsection Examples
1285
1286@itemize
1287@item
1288Add 1024 samples of silence to the end of the input:
1289@example
1290apad=pad_len=1024
1291@end example
1292
1293@item
1294Make sure the audio output will contain at least 10000 samples, pad
1295the input with silence if required:
1296@example
1297apad=whole_len=10000
1298@end example
1299
1300@item
1301Use @command{ffmpeg} to pad the audio input with silence, so that the
1302video stream will always result the shortest and will be converted
1303until the end in the output file when using the @option{shortest}
1304option:
1305@example
1306ffmpeg -i VIDEO -i AUDIO -filter_complex "[1:0]apad" -shortest OUTPUT
1307@end example
1308@end itemize
1309
1310@section aphaser
1311Add a phasing effect to the input audio.
1312
1313A phaser filter creates series of peaks and troughs in the frequency spectrum.
1314The position of the peaks and troughs are modulated so that they vary over time, creating a sweeping effect.
1315
1316A description of the accepted parameters follows.
1317
1318@table @option
1319@item in_gain
1320Set input gain. Default is 0.4.
1321
1322@item out_gain
1323Set output gain. Default is 0.74
1324
1325@item delay
1326Set delay in milliseconds. Default is 3.0.
1327
1328@item decay
1329Set decay. Default is 0.4.
1330
1331@item speed
1332Set modulation speed in Hz. Default is 0.5.
1333
1334@item type
1335Set modulation type. Default is triangular.
1336
1337It accepts the following values:
1338@table @samp
1339@item triangular, t
1340@item sinusoidal, s
1341@end table
1342@end table
1343
1344@section apulsator
1345
1346Audio pulsator is something between an autopanner and a tremolo.
1347But it can produce funny stereo effects as well. Pulsator changes the volume
1348of the left and right channel based on a LFO (low frequency oscillator) with
1349different waveforms and shifted phases.
1350This filter have the ability to define an offset between left and right
1351channel. An offset of 0 means that both LFO shapes match each other.
1352The left and right channel are altered equally - a conventional tremolo.
1353An offset of 50% means that the shape of the right channel is exactly shifted
1354in phase (or moved backwards about half of the frequency) - pulsator acts as
1355an autopanner. At 1 both curves match again. Every setting in between moves the
1356phase shift gapless between all stages and produces some "bypassing" sounds with
1357sine and triangle waveforms. The more you set the offset near 1 (starting from
1358the 0.5) the faster the signal passes from the left to the right speaker.
1359
1360The filter accepts the following options:
1361
1362@table @option
1363@item level_in
1364Set input gain. By default it is 1. Range is [0.015625 - 64].
1365
1366@item level_out
1367Set output gain. By default it is 1. Range is [0.015625 - 64].
1368
1369@item mode
1370Set waveform shape the LFO will use. Can be one of: sine, triangle, square,
1371sawup or sawdown. Default is sine.
1372
1373@item amount
1374Set modulation. Define how much of original signal is affected by the LFO.
1375
1376@item offset_l
1377Set left channel offset. Default is 0. Allowed range is [0 - 1].
1378
1379@item offset_r
1380Set right channel offset. Default is 0.5. Allowed range is [0 - 1].
1381
1382@item width
1383Set pulse width. Default is 1. Allowed range is [0 - 2].
1384
1385@item timing
1386Set possible timing mode. Can be one of: bpm, ms or hz. Default is hz.
1387
1388@item bpm
1389Set bpm. Default is 120. Allowed range is [30 - 300]. Only used if timing
1390is set to bpm.
1391
1392@item ms
1393Set ms. Default is 500. Allowed range is [10 - 2000]. Only used if timing
1394is set to ms.
1395
1396@item hz
1397Set frequency in Hz. Default is 2. Allowed range is [0.01 - 100]. Only used
1398if timing is set to hz.
1399@end table
1400
1401@anchor{aresample}
1402@section aresample
1403
1404Resample the input audio to the specified parameters, using the
1405libswresample library. If none are specified then the filter will
1406automatically convert between its input and output.
1407
1408This filter is also able to stretch/squeeze the audio data to make it match
1409the timestamps or to inject silence / cut out audio to make it match the
1410timestamps, do a combination of both or do neither.
1411
1412The filter accepts the syntax
1413[@var{sample_rate}:]@var{resampler_options}, where @var{sample_rate}
1414expresses a sample rate and @var{resampler_options} is a list of
1415@var{key}=@var{value} pairs, separated by ":". See the
1416@ref{Resampler Options,,the "Resampler Options" section in the
1417ffmpeg-resampler(1) manual,ffmpeg-resampler}
1418for the complete list of supported options.
1419
1420@subsection Examples
1421
1422@itemize
1423@item
1424Resample the input audio to 44100Hz:
1425@example
1426aresample=44100
1427@end example
1428
1429@item
1430Stretch/squeeze samples to the given timestamps, with a maximum of 1000
1431samples per second compensation:
1432@example
1433aresample=async=1000
1434@end example
1435@end itemize
1436
1437@section areverse
1438
1439Reverse an audio clip.
1440
1441Warning: This filter requires memory to buffer the entire clip, so trimming
1442is suggested.
1443
1444@subsection Examples
1445
1446@itemize
1447@item
1448Take the first 5 seconds of a clip, and reverse it.
1449@example
1450atrim=end=5,areverse
1451@end example
1452@end itemize
1453
1454@section asetnsamples
1455
1456Set the number of samples per each output audio frame.
1457
1458The last output packet may contain a different number of samples, as
1459the filter will flush all the remaining samples when the input audio
1460signals its end.
1461
1462The filter accepts the following options:
1463
1464@table @option
1465
1466@item nb_out_samples, n
1467Set the number of frames per each output audio frame. The number is
1468intended as the number of samples @emph{per each channel}.
1469Default value is 1024.
1470
1471@item pad, p
1472If set to 1, the filter will pad the last audio frame with zeroes, so
1473that the last frame will contain the same number of samples as the
1474previous ones. Default value is 1.
1475@end table
1476
1477For example, to set the number of per-frame samples to 1234 and
1478disable padding for the last frame, use:
1479@example
1480asetnsamples=n=1234:p=0
1481@end example
1482
1483@section asetrate
1484
1485Set the sample rate without altering the PCM data.
1486This will result in a change of speed and pitch.
1487
1488The filter accepts the following options:
1489
1490@table @option
1491@item sample_rate, r
1492Set the output sample rate. Default is 44100 Hz.
1493@end table
1494
1495@section ashowinfo
1496
1497Show a line containing various information for each input audio frame.
1498The input audio is not modified.
1499
1500The shown line contains a sequence of key/value pairs of the form
1501@var{key}:@var{value}.
1502
1503The following values are shown in the output:
1504
1505@table @option
1506@item n
1507The (sequential) number of the input frame, starting from 0.
1508
1509@item pts
1510The presentation timestamp of the input frame, in time base units; the time base
1511depends on the filter input pad, and is usually 1/@var{sample_rate}.
1512
1513@item pts_time
1514The presentation timestamp of the input frame in seconds.
1515
1516@item pos
1517position of the frame in the input stream, -1 if this information in
1518unavailable and/or meaningless (for example in case of synthetic audio)
1519
1520@item fmt
1521The sample format.
1522
1523@item chlayout
1524The channel layout.
1525
1526@item rate
1527The sample rate for the audio frame.
1528
1529@item nb_samples
1530The number of samples (per channel) in the frame.
1531
1532@item checksum
1533The Adler-32 checksum (printed in hexadecimal) of the audio data. For planar
1534audio, the data is treated as if all the planes were concatenated.
1535
1536@item plane_checksums
1537A list of Adler-32 checksums for each data plane.
1538@end table
1539
1540@anchor{astats}
1541@section astats
1542
1543Display time domain statistical information about the audio channels.
1544Statistics are calculated and displayed for each audio channel and,
1545where applicable, an overall figure is also given.
1546
1547It accepts the following option:
1548@table @option
1549@item length
1550Short window length in seconds, used for peak and trough RMS measurement.
1551Default is @code{0.05} (50 milliseconds). Allowed range is @code{[0.1 - 10]}.
1552
1553@item metadata
1554
1555Set metadata injection. All the metadata keys are prefixed with @code{lavfi.astats.X},
1556where @code{X} is channel number starting from 1 or string @code{Overall}. Default is
1557disabled.
1558
1559Available keys for each channel are:
1560DC_offset
1561Min_level
1562Max_level
1563Min_difference
1564Max_difference
1565Mean_difference
1566Peak_level
1567RMS_peak
1568RMS_trough
1569Crest_factor
1570Flat_factor
1571Peak_count
1572Bit_depth
1573
1574and for Overall:
1575DC_offset
1576Min_level
1577Max_level
1578Min_difference
1579Max_difference
1580Mean_difference
1581Peak_level
1582RMS_level
1583RMS_peak
1584RMS_trough
1585Flat_factor
1586Peak_count
1587Bit_depth
1588Number_of_samples
1589
1590For example full key look like this @code{lavfi.astats.1.DC_offset} or
1591this @code{lavfi.astats.Overall.Peak_count}.
1592
1593For description what each key means read below.
1594
1595@item reset
1596Set number of frame after which stats are going to be recalculated.
1597Default is disabled.
1598@end table
1599
1600A description of each shown parameter follows:
1601
1602@table @option
1603@item DC offset
1604Mean amplitude displacement from zero.
1605
1606@item Min level
1607Minimal sample level.
1608
1609@item Max level
1610Maximal sample level.
1611
1612@item Min difference
1613Minimal difference between two consecutive samples.
1614
1615@item Max difference
1616Maximal difference between two consecutive samples.
1617
1618@item Mean difference
1619Mean difference between two consecutive samples.
1620The average of each difference between two consecutive samples.
1621
1622@item Peak level dB
1623@item RMS level dB
1624Standard peak and RMS level measured in dBFS.
1625
1626@item RMS peak dB
1627@item RMS trough dB
1628Peak and trough values for RMS level measured over a short window.
1629
1630@item Crest factor
1631Standard ratio of peak to RMS level (note: not in dB).
1632
1633@item Flat factor
1634Flatness (i.e. consecutive samples with the same value) of the signal at its peak levels
1635(i.e. either @var{Min level} or @var{Max level}).
1636
1637@item Peak count
1638Number of occasions (not the number of samples) that the signal attained either
1639@var{Min level} or @var{Max level}.
1640
1641@item Bit depth
1642Overall bit depth of audio. Number of bits used for each sample.
1643@end table
1644
1645@section atempo
1646
1647Adjust audio tempo.
1648
1649The filter accepts exactly one parameter, the audio tempo. If not
1650specified then the filter will assume nominal 1.0 tempo. Tempo must
1651be in the [0.5, 2.0] range.
1652
1653@subsection Examples
1654
1655@itemize
1656@item
1657Slow down audio to 80% tempo:
1658@example
1659atempo=0.8
1660@end example
1661
1662@item
1663To speed up audio to 125% tempo:
1664@example
1665atempo=1.25
1666@end example
1667@end itemize
1668
1669@section atrim
1670
1671Trim the input so that the output contains one continuous subpart of the input.
1672
1673It accepts the following parameters:
1674@table @option
1675@item start
1676Timestamp (in seconds) of the start of the section to keep. I.e. the audio
1677sample with the timestamp @var{start} will be the first sample in the output.
1678
1679@item end
1680Specify time of the first audio sample that will be dropped, i.e. the
1681audio sample immediately preceding the one with the timestamp @var{end} will be
1682the last sample in the output.
1683
1684@item start_pts
1685Same as @var{start}, except this option sets the start timestamp in samples
1686instead of seconds.
1687
1688@item end_pts
1689Same as @var{end}, except this option sets the end timestamp in samples instead
1690of seconds.
1691
1692@item duration
1693The maximum duration of the output in seconds.
1694
1695@item start_sample
1696The number of the first sample that should be output.
1697
1698@item end_sample
1699The number of the first sample that should be dropped.
1700@end table
1701
1702@option{start}, @option{end}, and @option{duration} are expressed as time
1703duration specifications; see
1704@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}.
1705
1706Note that the first two sets of the start/end options and the @option{duration}
1707option look at the frame timestamp, while the _sample options simply count the
1708samples that pass through the filter. So start/end_pts and start/end_sample will
1709give different results when the timestamps are wrong, inexact or do not start at
1710zero. Also note that this filter does not modify the timestamps. If you wish
1711to have the output timestamps start at zero, insert the asetpts filter after the
1712atrim filter.
1713
1714If multiple start or end options are set, this filter tries to be greedy and
1715keep all samples that match at least one of the specified constraints. To keep
1716only the part that matches all the constraints at once, chain multiple atrim
1717filters.
1718
1719The defaults are such that all the input is kept. So it is possible to set e.g.
1720just the end values to keep everything before the specified time.
1721
1722Examples:
1723@itemize
1724@item
1725Drop everything except the second minute of input:
1726@example
1727ffmpeg -i INPUT -af atrim=60:120
1728@end example
1729
1730@item
1731Keep only the first 1000 samples:
1732@example
1733ffmpeg -i INPUT -af atrim=end_sample=1000
1734@end example
1735
1736@end itemize
1737
1738@section bandpass
1739
1740Apply a two-pole Butterworth band-pass filter with central
1741frequency @var{frequency}, and (3dB-point) band-width width.
1742The @var{csg} option selects a constant skirt gain (peak gain = Q)
1743instead of the default: constant 0dB peak gain.
1744The filter roll off at 6dB per octave (20dB per decade).
1745
1746The filter accepts the following options:
1747
1748@table @option
1749@item frequency, f
1750Set the filter's central frequency. Default is @code{3000}.
1751
1752@item csg
1753Constant skirt gain if set to 1. Defaults to 0.
1754
1755@item width_type
1756Set method to specify band-width of filter.
1757@table @option
1758@item h
1759Hz
1760@item q
1761Q-Factor
1762@item o
1763octave
1764@item s
1765slope
1766@end table
1767
1768@item width, w
1769Specify the band-width of a filter in width_type units.
1770@end table
1771
1772@section bandreject
1773
1774Apply a two-pole Butterworth band-reject filter with central
1775frequency @var{frequency}, and (3dB-point) band-width @var{width}.
1776The filter roll off at 6dB per octave (20dB per decade).
1777
1778The filter accepts the following options:
1779
1780@table @option
1781@item frequency, f
1782Set the filter's central frequency. Default is @code{3000}.
1783
1784@item width_type
1785Set method to specify band-width of filter.
1786@table @option
1787@item h
1788Hz
1789@item q
1790Q-Factor
1791@item o
1792octave
1793@item s
1794slope
1795@end table
1796
1797@item width, w
1798Specify the band-width of a filter in width_type units.
1799@end table
1800
1801@section bass
1802
1803Boost or cut the bass (lower) frequencies of the audio using a two-pole
1804shelving filter with a response similar to that of a standard
1805hi-fi's tone-controls. This is also known as shelving equalisation (EQ).
1806
1807The filter accepts the following options:
1808
1809@table @option
1810@item gain, g
1811Give the gain at 0 Hz. Its useful range is about -20
1812(for a large cut) to +20 (for a large boost).
1813Beware of clipping when using a positive gain.
1814
1815@item frequency, f
1816Set the filter's central frequency and so can be used
1817to extend or reduce the frequency range to be boosted or cut.
1818The default value is @code{100} Hz.
1819
1820@item width_type
1821Set method to specify band-width of filter.
1822@table @option
1823@item h
1824Hz
1825@item q
1826Q-Factor
1827@item o
1828octave
1829@item s
1830slope
1831@end table
1832
1833@item width, w
1834Determine how steep is the filter's shelf transition.
1835@end table
1836
1837@section biquad
1838
1839Apply a biquad IIR filter with the given coefficients.
1840Where @var{b0}, @var{b1}, @var{b2} and @var{a0}, @var{a1}, @var{a2}
1841are the numerator and denominator coefficients respectively.
1842
1843@section bs2b
1844Bauer stereo to binaural transformation, which improves headphone listening of
1845stereo audio records.
1846
1847It accepts the following parameters:
1848@table @option
1849
1850@item profile
1851Pre-defined crossfeed level.
1852@table @option
1853
1854@item default
1855Default level (fcut=700, feed=50).
1856
1857@item cmoy
1858Chu Moy circuit (fcut=700, feed=60).
1859
1860@item jmeier
1861Jan Meier circuit (fcut=650, feed=95).
1862
1863@end table
1864
1865@item fcut
1866Cut frequency (in Hz).
1867
1868@item feed
1869Feed level (in Hz).
1870
1871@end table
1872
1873@section channelmap
1874
1875Remap input channels to new locations.
1876
1877It accepts the following parameters:
1878@table @option
1879@item map
1880Map channels from input to output. The argument is a '|'-separated list of
1881mappings, each in the @code{@var{in_channel}-@var{out_channel}} or
1882@var{in_channel} form. @var{in_channel} can be either the name of the input
1883channel (e.g. FL for front left) or its index in the input channel layout.
1884@var{out_channel} is the name of the output channel or its index in the output
1885channel layout. If @var{out_channel} is not given then it is implicitly an
1886index, starting with zero and increasing by one for each mapping.
1887
1888@item channel_layout
1889The channel layout of the output stream.
1890@end table
1891
1892If no mapping is present, the filter will implicitly map input channels to
1893output channels, preserving indices.
1894
1895For example, assuming a 5.1+downmix input MOV file,
1896@example
1897ffmpeg -i in.mov -filter 'channelmap=map=DL-FL|DR-FR' out.wav
1898@end example
1899will create an output WAV file tagged as stereo from the downmix channels of
1900the input.
1901
1902To fix a 5.1 WAV improperly encoded in AAC's native channel order
1903@example
1904ffmpeg -i in.wav -filter 'channelmap=1|2|0|5|3|4:5.1' out.wav
1905@end example
1906
1907@section channelsplit
1908
1909Split each channel from an input audio stream into a separate output stream.
1910
1911It accepts the following parameters:
1912@table @option
1913@item channel_layout
1914The channel layout of the input stream. The default is "stereo".
1915@end table
1916
1917For example, assuming a stereo input MP3 file,
1918@example
1919ffmpeg -i in.mp3 -filter_complex channelsplit out.mkv
1920@end example
1921will create an output Matroska file with two audio streams, one containing only
1922the left channel and the other the right channel.
1923
1924Split a 5.1 WAV file into per-channel files:
1925@example
1926ffmpeg -i in.wav -filter_complex
1927'channelsplit=channel_layout=5.1[FL][FR][FC][LFE][SL][SR]'
1928-map '[FL]' front_left.wav -map '[FR]' front_right.wav -map '[FC]'
1929front_center.wav -map '[LFE]' lfe.wav -map '[SL]' side_left.wav -map '[SR]'
1930side_right.wav
1931@end example
1932
1933@section chorus
1934Add a chorus effect to the audio.
1935
1936Can make a single vocal sound like a chorus, but can also be applied to instrumentation.
1937
1938Chorus resembles an echo effect with a short delay, but whereas with echo the delay is
1939constant, with chorus, it is varied using using sinusoidal or triangular modulation.
1940The modulation depth defines the range the modulated delay is played before or after
1941the delay. Hence the delayed sound will sound slower or faster, that is the delayed
1942sound tuned around the original one, like in a chorus where some vocals are slightly
1943off key.
1944
1945It accepts the following parameters:
1946@table @option
1947@item in_gain
1948Set input gain. Default is 0.4.
1949
1950@item out_gain
1951Set output gain. Default is 0.4.
1952
1953@item delays
1954Set delays. A typical delay is around 40ms to 60ms.
1955
1956@item decays
1957Set decays.
1958
1959@item speeds
1960Set speeds.
1961
1962@item depths
1963Set depths.
1964@end table
1965
1966@subsection Examples
1967
1968@itemize
1969@item
1970A single delay:
1971@example
1972chorus=0.7:0.9:55:0.4:0.25:2
1973@end example
1974
1975@item
1976Two delays:
1977@example
1978chorus=0.6:0.9:50|60:0.4|0.32:0.25|0.4:2|1.3
1979@end example
1980
1981@item
1982Fuller sounding chorus with three delays:
1983@example
1984chorus=0.5:0.9:50|60|40:0.4|0.32|0.3:0.25|0.4|0.3:2|2.3|1.3
1985@end example
1986@end itemize
1987
1988@section compand
1989Compress or expand the audio's dynamic range.
1990
1991It accepts the following parameters:
1992
1993@table @option
1994
1995@item attacks
1996@item decays
1997A list of times in seconds for each channel over which the instantaneous level
1998of the input signal is averaged to determine its volume. @var{attacks} refers to
1999increase of volume and @var{decays} refers to decrease of volume. For most
2000situations, the attack time (response to the audio getting louder) should be
2001shorter than the decay time, because the human ear is more sensitive to sudden
2002loud audio than sudden soft audio. A typical value for attack is 0.3 seconds and
2003a typical value for decay is 0.8 seconds.
2004If specified number of attacks & decays is lower than number of channels, the last
2005set attack/decay will be used for all remaining channels.
2006
2007@item points
2008A list of points for the transfer function, specified in dB relative to the
2009maximum possible signal amplitude. Each key points list must be defined using
2010the following syntax: @code{x0/y0|x1/y1|x2/y2|....} or
2011@code{x0/y0 x1/y1 x2/y2 ....}
2012
2013The input values must be in strictly increasing order but the transfer function
2014does not have to be monotonically rising. The point @code{0/0} is assumed but
2015may be overridden (by @code{0/out-dBn}). Typical values for the transfer
2016function are @code{-70/-70|-60/-20}.
2017
2018@item soft-knee
2019Set the curve radius in dB for all joints. It defaults to 0.01.
2020
2021@item gain
2022Set the additional gain in dB to be applied at all points on the transfer
2023function. This allows for easy adjustment of the overall gain.
2024It defaults to 0.
2025
2026@item volume
2027Set an initial volume, in dB, to be assumed for each channel when filtering
2028starts. This permits the user to supply a nominal level initially, so that, for
2029example, a very large gain is not applied to initial signal levels before the
2030companding has begun to operate. A typical value for audio which is initially
2031quiet is -90 dB. It defaults to 0.
2032
2033@item delay
2034Set a delay, in seconds. The input audio is analyzed immediately, but audio is
2035delayed before being fed to the volume adjuster. Specifying a delay
2036approximately equal to the attack/decay times allows the filter to effectively
2037operate in predictive rather than reactive mode. It defaults to 0.
2038
2039@end table
2040
2041@subsection Examples
2042
2043@itemize
2044@item
2045Make music with both quiet and loud passages suitable for listening to in a
2046noisy environment:
2047@example
2048compand=.3|.3:1|1:-90/-60|-60/-40|-40/-30|-20/-20:6:0:-90:0.2
2049@end example
2050
2051Another example for audio with whisper and explosion parts:
2052@example
2053compand=0|0:1|1:-90/-900|-70/-70|-30/-9|0/-3:6:0:0:0
2054@end example
2055
2056@item
2057A noise gate for when the noise is at a lower level than the signal:
2058@example
2059compand=.1|.1:.2|.2:-900/-900|-50.1/-900|-50/-50:.01:0:-90:.1
2060@end example
2061
2062@item
2063Here is another noise gate, this time for when the noise is at a higher level
2064than the signal (making it, in some ways, similar to squelch):
2065@example
2066compand=.1|.1:.1|.1:-45.1/-45.1|-45/-900|0/-900:.01:45:-90:.1
2067@end example
2068
2069@item
20702:1 compression starting at -6dB:
2071@example
2072compand=points=-80/-80|-6/-6|0/-3.8|20/3.5
2073@end example
2074
2075@item
20762:1 compression starting at -9dB:
2077@example
2078compand=points=-80/-80|-9/-9|0/-5.3|20/2.9
2079@end example
2080
2081@item
20822:1 compression starting at -12dB:
2083@example
2084compand=points=-80/-80|-12/-12|0/-6.8|20/1.9
2085@end example
2086
2087@item
20882:1 compression starting at -18dB:
2089@example
2090compand=points=-80/-80|-18/-18|0/-9.8|20/0.7
2091@end example
2092
2093@item
20943:1 compression starting at -15dB:
2095@example
2096compand=points=-80/-80|-15/-15|0/-10.8|20/-5.2
2097@end example
2098
2099@item
2100Compressor/Gate:
2101@example
2102compand=points=-80/-105|-62/-80|-15.4/-15.4|0/-12|20/-7.6
2103@end example
2104
2105@item
2106Expander:
2107@example
2108compand=attacks=0:points=-80/-169|-54/-80|-49.5/-64.6|-41.1/-41.1|-25.8/-15|-10.8/-4.5|0/0|20/8.3
2109@end example
2110
2111@item
2112Hard limiter at -6dB:
2113@example
2114compand=attacks=0:points=-80/-80|-6/-6|20/-6
2115@end example
2116
2117@item
2118Hard limiter at -12dB:
2119@example
2120compand=attacks=0:points=-80/-80|-12/-12|20/-12
2121@end example
2122
2123@item
2124Hard noise gate at -35 dB:
2125@example
2126compand=attacks=0:points=-80/-115|-35.1/-80|-35/-35|20/20
2127@end example
2128
2129@item
2130Soft limiter:
2131@example
2132compand=attacks=0:points=-80/-80|-12.4/-12.4|-6/-8|0/-6.8|20/-2.8
2133@end example
2134@end itemize
2135
2136@section compensationdelay
2137
2138Compensation Delay Line is a metric based delay to compensate differing
2139positions of microphones or speakers.
2140
2141For example, you have recorded guitar with two microphones placed in
2142different location. Because the front of sound wave has fixed speed in
2143normal conditions, the phasing of microphones can vary and depends on
2144their location and interposition. The best sound mix can be achieved when
2145these microphones are in phase (synchronized). Note that distance of
2146~30 cm between microphones makes one microphone to capture signal in
2147antiphase to another microphone. That makes the final mix sounding moody.
2148This filter helps to solve phasing problems by adding different delays
2149to each microphone track and make them synchronized.
2150
2151The best result can be reached when you take one track as base and
2152synchronize other tracks one by one with it.
2153Remember that synchronization/delay tolerance depends on sample rate, too.
2154Higher sample rates will give more tolerance.
2155
2156It accepts the following parameters:
2157
2158@table @option
2159@item mm
2160Set millimeters distance. This is compensation distance for fine tuning.
2161Default is 0.
2162
2163@item cm
2164Set cm distance. This is compensation distance for tightening distance setup.
2165Default is 0.
2166
2167@item m
2168Set meters distance. This is compensation distance for hard distance setup.
2169Default is 0.
2170
2171@item dry
2172Set dry amount. Amount of unprocessed (dry) signal.
2173Default is 0.
2174
2175@item wet
2176Set wet amount. Amount of processed (wet) signal.
2177Default is 1.
2178
2179@item temp
2180Set temperature degree in Celsius. This is the temperature of the environment.
2181Default is 20.
2182@end table
2183
2184@section crystalizer
2185Simple algorithm to expand audio dynamic range.
2186
2187The filter accepts the following options:
2188
2189@table @option
2190@item i
2191Sets the intensity of effect (default: 2.0). Must be in range between 0.0
2192(unchanged sound) to 10.0 (maximum effect).
2193
2194@item c
2195Enable clipping. By default is enabled.
2196@end table
2197
2198@section dcshift
2199Apply a DC shift to the audio.
2200
2201This can be useful to remove a DC offset (caused perhaps by a hardware problem
2202in the recording chain) from the audio. The effect of a DC offset is reduced
2203headroom and hence volume. The @ref{astats} filter can be used to determine if
2204a signal has a DC offset.
2205
2206@table @option
2207@item shift
2208Set the DC shift, allowed range is [-1, 1]. It indicates the amount to shift
2209the audio.
2210
2211@item limitergain
2212Optional. It should have a value much less than 1 (e.g. 0.05 or 0.02) and is
2213used to prevent clipping.
2214@end table
2215
2216@section dynaudnorm
2217Dynamic Audio Normalizer.
2218
2219This filter applies a certain amount of gain to the input audio in order
2220to bring its peak magnitude to a target level (e.g. 0 dBFS). However, in
2221contrast to more "simple" normalization algorithms, the Dynamic Audio
2222Normalizer *dynamically* re-adjusts the gain factor to the input audio.
2223This allows for applying extra gain to the "quiet" sections of the audio
2224while avoiding distortions or clipping the "loud" sections. In other words:
2225The Dynamic Audio Normalizer will "even out" the volume of quiet and loud
2226sections, in the sense that the volume of each section is brought to the
2227same target level. Note, however, that the Dynamic Audio Normalizer achieves
2228this goal *without* applying "dynamic range compressing". It will retain 100%
2229of the dynamic range *within* each section of the audio file.
2230
2231@table @option
2232@item f
2233Set the frame length in milliseconds. In range from 10 to 8000 milliseconds.
2234Default is 500 milliseconds.
2235The Dynamic Audio Normalizer processes the input audio in small chunks,
2236referred to as frames. This is required, because a peak magnitude has no
2237meaning for just a single sample value. Instead, we need to determine the
2238peak magnitude for a contiguous sequence of sample values. While a "standard"
2239normalizer would simply use the peak magnitude of the complete file, the
2240Dynamic Audio Normalizer determines the peak magnitude individually for each
2241frame. The length of a frame is specified in milliseconds. By default, the
2242Dynamic Audio Normalizer uses a frame length of 500 milliseconds, which has
2243been found to give good results with most files.
2244Note that the exact frame length, in number of samples, will be determined
2245automatically, based on the sampling rate of the individual input audio file.
2246
2247@item g
2248Set the Gaussian filter window size. In range from 3 to 301, must be odd
2249number. Default is 31.
2250Probably the most important parameter of the Dynamic Audio Normalizer is the
2251@code{window size} of the Gaussian smoothing filter. The filter's window size
2252is specified in frames, centered around the current frame. For the sake of
2253simplicity, this must be an odd number. Consequently, the default value of 31
2254takes into account the current frame, as well as the 15 preceding frames and
2255the 15 subsequent frames. Using a larger window results in a stronger
2256smoothing effect and thus in less gain variation, i.e. slower gain
2257adaptation. Conversely, using a smaller window results in a weaker smoothing
2258effect and thus in more gain variation, i.e. faster gain adaptation.
2259In other words, the more you increase this value, the more the Dynamic Audio
2260Normalizer will behave like a "traditional" normalization filter. On the
2261contrary, the more you decrease this value, the more the Dynamic Audio
2262Normalizer will behave like a dynamic range compressor.
2263
2264@item p
2265Set the target peak value. This specifies the highest permissible magnitude
2266level for the normalized audio input. This filter will try to approach the
2267target peak magnitude as closely as possible, but at the same time it also
2268makes sure that the normalized signal will never exceed the peak magnitude.
2269A frame's maximum local gain factor is imposed directly by the target peak
2270magnitude. The default value is 0.95 and thus leaves a headroom of 5%*.
2271It is not recommended to go above this value.
2272
2273@item m
2274Set the maximum gain factor. In range from 1.0 to 100.0. Default is 10.0.
2275The Dynamic Audio Normalizer determines the maximum possible (local) gain
2276factor for each input frame, i.e. the maximum gain factor that does not
2277result in clipping or distortion. The maximum gain factor is determined by
2278the frame's highest magnitude sample. However, the Dynamic Audio Normalizer
2279additionally bounds the frame's maximum gain factor by a predetermined
2280(global) maximum gain factor. This is done in order to avoid excessive gain
2281factors in "silent" or almost silent frames. By default, the maximum gain
2282factor is 10.0, For most inputs the default value should be sufficient and
2283it usually is not recommended to increase this value. Though, for input
2284with an extremely low overall volume level, it may be necessary to allow even
2285higher gain factors. Note, however, that the Dynamic Audio Normalizer does
2286not simply apply a "hard" threshold (i.e. cut off values above the threshold).
2287Instead, a "sigmoid" threshold function will be applied. This way, the
2288gain factors will smoothly approach the threshold value, but never exceed that
2289value.
2290
2291@item r
2292Set the target RMS. In range from 0.0 to 1.0. Default is 0.0 - disabled.
2293By default, the Dynamic Audio Normalizer performs "peak" normalization.
2294This means that the maximum local gain factor for each frame is defined
2295(only) by the frame's highest magnitude sample. This way, the samples can
2296be amplified as much as possible without exceeding the maximum signal
2297level, i.e. without clipping. Optionally, however, the Dynamic Audio
2298Normalizer can also take into account the frame's root mean square,
2299abbreviated RMS. In electrical engineering, the RMS is commonly used to
2300determine the power of a time-varying signal. It is therefore considered
2301that the RMS is a better approximation of the "perceived loudness" than
2302just looking at the signal's peak magnitude. Consequently, by adjusting all
2303frames to a constant RMS value, a uniform "perceived loudness" can be
2304established. If a target RMS value has been specified, a frame's local gain
2305factor is defined as the factor that would result in exactly that RMS value.
2306Note, however, that the maximum local gain factor is still restricted by the
2307frame's highest magnitude sample, in order to prevent clipping.
2308
2309@item n
2310Enable channels coupling. By default is enabled.
2311By default, the Dynamic Audio Normalizer will amplify all channels by the same
2312amount. This means the same gain factor will be applied to all channels, i.e.
2313the maximum possible gain factor is determined by the "loudest" channel.
2314However, in some recordings, it may happen that the volume of the different
2315channels is uneven, e.g. one channel may be "quieter" than the other one(s).
2316In this case, this option can be used to disable the channel coupling. This way,
2317the gain factor will be determined independently for each channel, depending
2318only on the individual channel's highest magnitude sample. This allows for
2319harmonizing the volume of the different channels.
2320
2321@item c
2322Enable DC bias correction. By default is disabled.
2323An audio signal (in the time domain) is a sequence of sample values.
2324In the Dynamic Audio Normalizer these sample values are represented in the
2325-1.0 to 1.0 range, regardless of the original input format. Normally, the
2326audio signal, or "waveform", should be centered around the zero point.
2327That means if we calculate the mean value of all samples in a file, or in a
2328single frame, then the result should be 0.0 or at least very close to that
2329value. If, however, there is a significant deviation of the mean value from
23300.0, in either positive or negative direction, this is referred to as a
2331DC bias or DC offset. Since a DC bias is clearly undesirable, the Dynamic
2332Audio Normalizer provides optional DC bias correction.
2333With DC bias correction enabled, the Dynamic Audio Normalizer will determine
2334the mean value, or "DC correction" offset, of each input frame and subtract
2335that value from all of the frame's sample values which ensures those samples
2336are centered around 0.0 again. Also, in order to avoid "gaps" at the frame
2337boundaries, the DC correction offset values will be interpolated smoothly
2338between neighbouring frames.
2339
2340@item b
2341Enable alternative boundary mode. By default is disabled.
2342The Dynamic Audio Normalizer takes into account a certain neighbourhood
2343around each frame. This includes the preceding frames as well as the
2344subsequent frames. However, for the "boundary" frames, located at the very
2345beginning and at the very end of the audio file, not all neighbouring
2346frames are available. In particular, for the first few frames in the audio
2347file, the preceding frames are not known. And, similarly, for the last few
2348frames in the audio file, the subsequent frames are not known. Thus, the
2349question arises which gain factors should be assumed for the missing frames
2350in the "boundary" region. The Dynamic Audio Normalizer implements two modes
2351to deal with this situation. The default boundary mode assumes a gain factor
2352of exactly 1.0 for the missing frames, resulting in a smooth "fade in" and
2353"fade out" at the beginning and at the end of the input, respectively.
2354
2355@item s
2356Set the compress factor. In range from 0.0 to 30.0. Default is 0.0.
2357By default, the Dynamic Audio Normalizer does not apply "traditional"
2358compression. This means that signal peaks will not be pruned and thus the
2359full dynamic range will be retained within each local neighbourhood. However,
2360in some cases it may be desirable to combine the Dynamic Audio Normalizer's
2361normalization algorithm with a more "traditional" compression.
2362For this purpose, the Dynamic Audio Normalizer provides an optional compression
2363(thresholding) function. If (and only if) the compression feature is enabled,
2364all input frames will be processed by a soft knee thresholding function prior
2365to the actual normalization process. Put simply, the thresholding function is
2366going to prune all samples whose magnitude exceeds a certain threshold value.
2367However, the Dynamic Audio Normalizer does not simply apply a fixed threshold
2368value. Instead, the threshold value will be adjusted for each individual
2369frame.
2370In general, smaller parameters result in stronger compression, and vice versa.
2371Values below 3.0 are not recommended, because audible distortion may appear.
2372@end table
2373
2374@section earwax
2375
2376Make audio easier to listen to on headphones.
2377
2378This filter adds `cues' to 44.1kHz stereo (i.e. audio CD format) audio
2379so that when listened to on headphones the stereo image is moved from
2380inside your head (standard for headphones) to outside and in front of
2381the listener (standard for speakers).
2382
2383Ported from SoX.
2384
2385@section equalizer
2386
2387Apply a two-pole peaking equalisation (EQ) filter. With this
2388filter, the signal-level at and around a selected frequency can
2389be increased or decreased, whilst (unlike bandpass and bandreject
2390filters) that at all other frequencies is unchanged.
2391
2392In order to produce complex equalisation curves, this filter can
2393be given several times, each with a different central frequency.
2394
2395The filter accepts the following options:
2396
2397@table @option
2398@item frequency, f
2399Set the filter's central frequency in Hz.
2400
2401@item width_type
2402Set method to specify band-width of filter.
2403@table @option
2404@item h
2405Hz
2406@item q
2407Q-Factor
2408@item o
2409octave
2410@item s
2411slope
2412@end table
2413
2414@item width, w
2415Specify the band-width of a filter in width_type units.
2416
2417@item gain, g
2418Set the required gain or attenuation in dB.
2419Beware of clipping when using a positive gain.
2420@end table
2421
2422@subsection Examples
2423@itemize
2424@item
2425Attenuate 10 dB at 1000 Hz, with a bandwidth of 200 Hz:
2426@example
2427equalizer=f=1000:width_type=h:width=200:g=-10
2428@end example
2429
2430@item
2431Apply 2 dB gain at 1000 Hz with Q 1 and attenuate 5 dB at 100 Hz with Q 2:
2432@example
2433equalizer=f=1000:width_type=q:width=1:g=2,equalizer=f=100:width_type=q:width=2:g=-5
2434@end example
2435@end itemize
2436
2437@section extrastereo
2438
2439Linearly increases the difference between left and right channels which
2440adds some sort of "live" effect to playback.
2441
2442The filter accepts the following options:
2443
2444@table @option
2445@item m
2446Sets the difference coefficient (default: 2.5). 0.0 means mono sound
2447(average of both channels), with 1.0 sound will be unchanged, with
2448-1.0 left and right channels will be swapped.
2449
2450@item c
2451Enable clipping. By default is enabled.
2452@end table
2453
2454@section firequalizer
2455Apply FIR Equalization using arbitrary frequency response.
2456
2457The filter accepts the following option:
2458
2459@table @option
2460@item gain
2461Set gain curve equation (in dB). The expression can contain variables:
2462@table @option
2463@item f
2464the evaluated frequency
2465@item sr
2466sample rate
2467@item ch
2468channel number, set to 0 when multichannels evaluation is disabled
2469@item chid
2470channel id, see libavutil/channel_layout.h, set to the first channel id when
2471multichannels evaluation is disabled
2472@item chs
2473number of channels
2474@item chlayout
2475channel_layout, see libavutil/channel_layout.h
2476
2477@end table
2478and functions:
2479@table @option
2480@item gain_interpolate(f)
2481interpolate gain on frequency f based on gain_entry
2482@item cubic_interpolate(f)
2483same as gain_interpolate, but smoother
2484@end table
2485This option is also available as command. Default is @code{gain_interpolate(f)}.
2486
2487@item gain_entry
2488Set gain entry for gain_interpolate function. The expression can
2489contain functions:
2490@table @option
2491@item entry(f, g)
2492store gain entry at frequency f with value g
2493@end table
2494This option is also available as command.
2495
2496@item delay
2497Set filter delay in seconds. Higher value means more accurate.
2498Default is @code{0.01}.
2499
2500@item accuracy
2501Set filter accuracy in Hz. Lower value means more accurate.
2502Default is @code{5}.
2503
2504@item wfunc
2505Set window function. Acceptable values are:
2506@table @option
2507@item rectangular
2508rectangular window, useful when gain curve is already smooth
2509@item hann
2510hann window (default)
2511@item hamming
2512hamming window
2513@item blackman
2514blackman window
2515@item nuttall3
25163-terms continuous 1st derivative nuttall window
2517@item mnuttall3
2518minimum 3-terms discontinuous nuttall window
2519@item nuttall
25204-terms continuous 1st derivative nuttall window
2521@item bnuttall
2522minimum 4-terms discontinuous nuttall (blackman-nuttall) window
2523@item bharris
2524blackman-harris window
2525@item tukey
2526tukey window
2527@end table
2528
2529@item fixed
2530If enabled, use fixed number of audio samples. This improves speed when
2531filtering with large delay. Default is disabled.
2532
2533@item multi
2534Enable multichannels evaluation on gain. Default is disabled.
2535
2536@item zero_phase
2537Enable zero phase mode by subtracting timestamp to compensate delay.
2538Default is disabled.
2539
2540@item scale
2541Set scale used by gain. Acceptable values are:
2542@table @option
2543@item linlin
2544linear frequency, linear gain
2545@item linlog
2546linear frequency, logarithmic (in dB) gain (default)
2547@item loglin
2548logarithmic (in octave scale where 20 Hz is 0) frequency, linear gain
2549@item loglog
2550logarithmic frequency, logarithmic gain
2551@end table
2552
2553@item dumpfile
2554Set file for dumping, suitable for gnuplot.
2555
2556@item dumpscale
2557Set scale for dumpfile. Acceptable values are same with scale option.
2558Default is linlog.
2559
2560@item fft2
2561Enable 2-channel convolution using complex FFT. This improves speed significantly.
2562Default is disabled.
2563@end table
2564
2565@subsection Examples
2566@itemize
2567@item
2568lowpass at 1000 Hz:
2569@example
2570firequalizer=gain='if(lt(f,1000), 0, -INF)'
2571@end example
2572@item
2573lowpass at 1000 Hz with gain_entry:
2574@example
2575firequalizer=gain_entry='entry(1000,0); entry(1001, -INF)'
2576@end example
2577@item
2578custom equalization:
2579@example
2580firequalizer=gain_entry='entry(100,0); entry(400, -4); entry(1000, -6); entry(2000, 0)'
2581@end example
2582@item
2583higher delay with zero phase to compensate delay:
2584@example
2585firequalizer=delay=0.1:fixed=on:zero_phase=on
2586@end example
2587@item
2588lowpass on left channel, highpass on right channel:
2589@example
2590firequalizer=gain='if(eq(chid,1), gain_interpolate(f), if(eq(chid,2), gain_interpolate(1e6+f), 0))'
2591:gain_entry='entry(1000, 0); entry(1001,-INF); entry(1e6+1000,0)':multi=on
2592@end example
2593@end itemize
2594
2595@section flanger
2596Apply a flanging effect to the audio.
2597
2598The filter accepts the following options:
2599
2600@table @option
2601@item delay
2602Set base delay in milliseconds. Range from 0 to 30. Default value is 0.
2603
2604@item depth
2605Set added swep delay in milliseconds. Range from 0 to 10. Default value is 2.
2606
2607@item regen
2608Set percentage regeneration (delayed signal feedback). Range from -95 to 95.
2609Default value is 0.
2610
2611@item width
2612Set percentage of delayed signal mixed with original. Range from 0 to 100.
2613Default value is 71.
2614
2615@item speed
2616Set sweeps per second (Hz). Range from 0.1 to 10. Default value is 0.5.
2617
2618@item shape
2619Set swept wave shape, can be @var{triangular} or @var{sinusoidal}.
2620Default value is @var{sinusoidal}.
2621
2622@item phase
2623Set swept wave percentage-shift for multi channel. Range from 0 to 100.
2624Default value is 25.
2625
2626@item interp
2627Set delay-line interpolation, @var{linear} or @var{quadratic}.
2628Default is @var{linear}.
2629@end table
2630
2631@section hdcd
2632
2633Decodes High Definition Compatible Digital (HDCD) data. A 16-bit PCM stream with
2634embedded HDCD codes is expanded into a 20-bit PCM stream.
2635
2636The filter supports the Peak Extend and Low-level Gain Adjustment features
2637of HDCD, and detects the Transient Filter flag.
2638
2639@example
2640ffmpeg -i HDCD16.flac -af hdcd OUT24.flac
2641@end example
2642
2643When using the filter with wav, note the default encoding for wav is 16-bit,
2644so the resulting 20-bit stream will be truncated back to 16-bit. Use something
2645like @command{-acodec pcm_s24le} after the filter to get 24-bit PCM output.
2646@example
2647ffmpeg -i HDCD16.wav -af hdcd OUT16.wav
2648ffmpeg -i HDCD16.wav -af hdcd -acodec pcm_s24le OUT24.wav
2649@end example
2650
2651The filter accepts the following options:
2652
2653@table @option
2654@item disable_autoconvert
2655Disable any automatic format conversion or resampling in the filter graph.
2656
2657@item process_stereo
2658Process the stereo channels together. If target_gain does not match between
2659channels, consider it invalid and use the last valid target_gain.
2660
2661@item cdt_ms
2662Set the code detect timer period in ms.
2663
2664@item force_pe
2665Always extend peaks above -3dBFS even if PE isn't signaled.
2666
2667@item analyze_mode
2668Replace audio with a solid tone and adjust the amplitude to signal some
2669specific aspect of the decoding process. The output file can be loaded in
2670an audio editor alongside the original to aid analysis.
2671
2672@code{analyze_mode=pe:force_pe=true} can be used to see all samples above the PE level.
2673
2674Modes are:
2675@table @samp
2676@item 0, off
2677Disabled
2678@item 1, lle
2679Gain adjustment level at each sample
2680@item 2, pe
2681Samples where peak extend occurs
2682@item 3, cdt
2683Samples where the code detect timer is active
2684@item 4, tgm
2685Samples where the target gain does not match between channels
2686@end table
2687@end table
2688
2689@section highpass
2690
2691Apply a high-pass filter with 3dB point frequency.
2692The filter can be either single-pole, or double-pole (the default).
2693The filter roll off at 6dB per pole per octave (20dB per pole per decade).
2694
2695The filter accepts the following options:
2696
2697@table @option
2698@item frequency, f
2699Set frequency in Hz. Default is 3000.
2700
2701@item poles, p
2702Set number of poles. Default is 2.
2703
2704@item width_type
2705Set method to specify band-width of filter.
2706@table @option
2707@item h
2708Hz
2709@item q
2710Q-Factor
2711@item o
2712octave
2713@item s
2714slope
2715@end table
2716
2717@item width, w
2718Specify the band-width of a filter in width_type units.
2719Applies only to double-pole filter.
2720The default is 0.707q and gives a Butterworth response.
2721@end table
2722
2723@section join
2724
2725Join multiple input streams into one multi-channel stream.
2726
2727It accepts the following parameters:
2728@table @option
2729
2730@item inputs
2731The number of input streams. It defaults to 2.
2732
2733@item channel_layout
2734The desired output channel layout. It defaults to stereo.
2735
2736@item map
2737Map channels from inputs to output. The argument is a '|'-separated list of
2738mappings, each in the @code{@var{input_idx}.@var{in_channel}-@var{out_channel}}
2739form. @var{input_idx} is the 0-based index of the input stream. @var{in_channel}
2740can be either the name of the input channel (e.g. FL for front left) or its
2741index in the specified input stream. @var{out_channel} is the name of the output
2742channel.
2743@end table
2744
2745The filter will attempt to guess the mappings when they are not specified
2746explicitly. It does so by first trying to find an unused matching input channel
2747and if that fails it picks the first unused input channel.
2748
2749Join 3 inputs (with properly set channel layouts):
2750@example
2751ffmpeg -i INPUT1 -i INPUT2 -i INPUT3 -filter_complex join=inputs=3 OUTPUT
2752@end example
2753
2754Build a 5.1 output from 6 single-channel streams:
2755@example
2756ffmpeg -i fl -i fr -i fc -i sl -i sr -i lfe -filter_complex
2757'join=inputs=6:channel_layout=5.1:map=0.0-FL|1.0-FR|2.0-FC|3.0-SL|4.0-SR|5.0-LFE'
2758out
2759@end example
2760
2761@section ladspa
2762
2763Load a LADSPA (Linux Audio Developer's Simple Plugin API) plugin.
2764
2765To enable compilation of this filter you need to configure FFmpeg with
2766@code{--enable-ladspa}.
2767
2768@table @option
2769@item file, f
2770Specifies the name of LADSPA plugin library to load. If the environment
2771variable @env{LADSPA_PATH} is defined, the LADSPA plugin is searched in
2772each one of the directories specified by the colon separated list in
2773@env{LADSPA_PATH}, otherwise in the standard LADSPA paths, which are in
2774this order: @file{HOME/.ladspa/lib/}, @file{/usr/local/lib/ladspa/},
2775@file{/usr/lib/ladspa/}.
2776
2777@item plugin, p
2778Specifies the plugin within the library. Some libraries contain only
2779one plugin, but others contain many of them. If this is not set filter
2780will list all available plugins within the specified library.
2781
2782@item controls, c
2783Set the '|' separated list of controls which are zero or more floating point
2784values that determine the behavior of the loaded plugin (for example delay,
2785threshold or gain).
2786Controls need to be defined using the following syntax:
2787c0=@var{value0}|c1=@var{value1}|c2=@var{value2}|..., where
2788@var{valuei} is the value set on the @var{i}-th control.
2789Alternatively they can be also defined using the following syntax:
2790@var{value0}|@var{value1}|@var{value2}|..., where
2791@var{valuei} is the value set on the @var{i}-th control.
2792If @option{controls} is set to @code{help}, all available controls and
2793their valid ranges are printed.
2794
2795@item sample_rate, s
2796Specify the sample rate, default to 44100. Only used if plugin have
2797zero inputs.
2798
2799@item nb_samples, n
2800Set the number of samples per channel per each output frame, default
2801is 1024. Only used if plugin have zero inputs.
2802
2803@item duration, d
2804Set the minimum duration of the sourced audio. See
2805@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
2806for the accepted syntax.
2807Note that the resulting duration may be greater than the specified duration,
2808as the generated audio is always cut at the end of a complete frame.
2809If not specified, or the expressed duration is negative, the audio is
2810supposed to be generated forever.
2811Only used if plugin have zero inputs.
2812
2813@end table
2814
2815@subsection Examples
2816
2817@itemize
2818@item
2819List all available plugins within amp (LADSPA example plugin) library:
2820@example
2821ladspa=file=amp
2822@end example
2823
2824@item
2825List all available controls and their valid ranges for @code{vcf_notch}
2826plugin from @code{VCF} library:
2827@example
2828ladspa=f=vcf:p=vcf_notch:c=help
2829@end example
2830
2831@item
2832Simulate low quality audio equipment using @code{Computer Music Toolkit} (CMT)
2833plugin library:
2834@example
2835ladspa=file=cmt:plugin=lofi:controls=c0=22|c1=12|c2=12
2836@end example
2837
2838@item
2839Add reverberation to the audio using TAP-plugins
2840(Tom's Audio Processing plugins):
2841@example
2842ladspa=file=tap_reverb:tap_reverb
2843@end example
2844
2845@item
2846Generate white noise, with 0.2 amplitude:
2847@example
2848ladspa=file=cmt:noise_source_white:c=c0=.2
2849@end example
2850
2851@item
2852Generate 20 bpm clicks using plugin @code{C* Click - Metronome} from the
2853@code{C* Audio Plugin Suite} (CAPS) library:
2854@example
2855ladspa=file=caps:Click:c=c1=20'
2856@end example
2857
2858@item
2859Apply @code{C* Eq10X2 - Stereo 10-band equaliser} effect:
2860@example
2861ladspa=caps:Eq10X2:c=c0=-48|c9=-24|c3=12|c4=2
2862@end example
2863
2864@item
2865Increase volume by 20dB using fast lookahead limiter from Steve Harris
2866@code{SWH Plugins} collection:
2867@example
2868ladspa=fast_lookahead_limiter_1913:fastLookaheadLimiter:20|0|2
2869@end example
2870
2871@item
2872Attenuate low frequencies using Multiband EQ from Steve Harris
2873@code{SWH Plugins} collection:
2874@example
2875ladspa=mbeq_1197:mbeq:-24|-24|-24|0|0|0|0|0|0|0|0|0|0|0|0
2876@end example
2877@end itemize
2878
2879@subsection Commands
2880
2881This filter supports the following commands:
2882@table @option
2883@item cN
2884Modify the @var{N}-th control value.
2885
2886If the specified value is not valid, it is ignored and prior one is kept.
2887@end table
2888
2889@section loudnorm
2890
2891EBU R128 loudness normalization. Includes both dynamic and linear normalization modes.
2892Support for both single pass (livestreams, files) and double pass (files) modes.
2893This algorithm can target IL, LRA, and maximum true peak.
2894
2895The filter accepts the following options:
2896
2897@table @option
2898@item I, i
2899Set integrated loudness target.
2900Range is -70.0 - -5.0. Default value is -24.0.
2901
2902@item LRA, lra
2903Set loudness range target.
2904Range is 1.0 - 20.0. Default value is 7.0.
2905
2906@item TP, tp
2907Set maximum true peak.
2908Range is -9.0 - +0.0. Default value is -2.0.
2909
2910@item measured_I, measured_i
2911Measured IL of input file.
2912Range is -99.0 - +0.0.
2913
2914@item measured_LRA, measured_lra
2915Measured LRA of input file.
2916Range is 0.0 - 99.0.
2917
2918@item measured_TP, measured_tp
2919Measured true peak of input file.
2920Range is -99.0 - +99.0.
2921
2922@item measured_thresh
2923Measured threshold of input file.
2924Range is -99.0 - +0.0.
2925
2926@item offset
2927Set offset gain. Gain is applied before the true-peak limiter.
2928Range is -99.0 - +99.0. Default is +0.0.
2929
2930@item linear
2931Normalize linearly if possible.
2932measured_I, measured_LRA, measured_TP, and measured_thresh must also
2933to be specified in order to use this mode.
2934Options are true or false. Default is true.
2935
2936@item dual_mono
2937Treat mono input files as "dual-mono". If a mono file is intended for playback
2938on a stereo system, its EBU R128 measurement will be perceptually incorrect.
2939If set to @code{true}, this option will compensate for this effect.
2940Multi-channel input files are not affected by this option.
2941Options are true or false. Default is false.
2942
2943@item print_format
2944Set print format for stats. Options are summary, json, or none.
2945Default value is none.
2946@end table
2947
2948@section lowpass
2949
2950Apply a low-pass filter with 3dB point frequency.
2951The filter can be either single-pole or double-pole (the default).
2952The filter roll off at 6dB per pole per octave (20dB per pole per decade).
2953
2954The filter accepts the following options:
2955
2956@table @option
2957@item frequency, f
2958Set frequency in Hz. Default is 500.
2959
2960@item poles, p
2961Set number of poles. Default is 2.
2962
2963@item width_type
2964Set method to specify band-width of filter.
2965@table @option
2966@item h
2967Hz
2968@item q
2969Q-Factor
2970@item o
2971octave
2972@item s
2973slope
2974@end table
2975
2976@item width, w
2977Specify the band-width of a filter in width_type units.
2978Applies only to double-pole filter.
2979The default is 0.707q and gives a Butterworth response.
2980@end table
2981
2982@anchor{pan}
2983@section pan
2984
2985Mix channels with specific gain levels. The filter accepts the output
2986channel layout followed by a set of channels definitions.
2987
2988This filter is also designed to efficiently remap the channels of an audio
2989stream.
2990
2991The filter accepts parameters of the form:
2992"@var{l}|@var{outdef}|@var{outdef}|..."
2993
2994@table @option
2995@item l
2996output channel layout or number of channels
2997
2998@item outdef
2999output channel specification, of the form:
3000"@var{out_name}=[@var{gain}*]@var{in_name}[(+-)[@var{gain}*]@var{in_name}...]"
3001
3002@item out_name
3003output channel to define, either a channel name (FL, FR, etc.) or a channel
3004number (c0, c1, etc.)
3005
3006@item gain
3007multiplicative coefficient for the channel, 1 leaving the volume unchanged
3008
3009@item in_name
3010input channel to use, see out_name for details; it is not possible to mix
3011named and numbered input channels
3012@end table
3013
3014If the `=' in a channel specification is replaced by `<', then the gains for
3015that specification will be renormalized so that the total is 1, thus
3016avoiding clipping noise.
3017
3018@subsection Mixing examples
3019
3020For example, if you want to down-mix from stereo to mono, but with a bigger
3021factor for the left channel:
3022@example
3023pan=1c|c0=0.9*c0+0.1*c1
3024@end example
3025
3026A customized down-mix to stereo that works automatically for 3-, 4-, 5- and
30277-channels surround:
3028@example
3029pan=stereo| FL < FL + 0.5*FC + 0.6*BL + 0.6*SL | FR < FR + 0.5*FC + 0.6*BR + 0.6*SR
3030@end example
3031
3032Note that @command{ffmpeg} integrates a default down-mix (and up-mix) system
3033that should be preferred (see "-ac" option) unless you have very specific
3034needs.
3035
3036@subsection Remapping examples
3037
3038The channel remapping will be effective if, and only if:
3039
3040@itemize
3041@item gain coefficients are zeroes or ones,
3042@item only one input per channel output,
3043@end itemize
3044
3045If all these conditions are satisfied, the filter will notify the user ("Pure
3046channel mapping detected"), and use an optimized and lossless method to do the
3047remapping.
3048
3049For example, if you have a 5.1 source and want a stereo audio stream by
3050dropping the extra channels:
3051@example
3052pan="stereo| c0=FL | c1=FR"
3053@end example
3054
3055Given the same source, you can also switch front left and front right channels
3056and keep the input channel layout:
3057@example
3058pan="5.1| c0=c1 | c1=c0 | c2=c2 | c3=c3 | c4=c4 | c5=c5"
3059@end example
3060
3061If the input is a stereo audio stream, you can mute the front left channel (and
3062still keep the stereo channel layout) with:
3063@example
3064pan="stereo|c1=c1"
3065@end example
3066
3067Still with a stereo audio stream input, you can copy the right channel in both
3068front left and right:
3069@example
3070pan="stereo| c0=FR | c1=FR"
3071@end example
3072
3073@section replaygain
3074
3075ReplayGain scanner filter. This filter takes an audio stream as an input and
3076outputs it unchanged.
3077At end of filtering it displays @code{track_gain} and @code{track_peak}.
3078
3079@section resample
3080
3081Convert the audio sample format, sample rate and channel layout. It is
3082not meant to be used directly.
3083
3084@section rubberband
3085Apply time-stretching and pitch-shifting with librubberband.
3086
3087The filter accepts the following options:
3088
3089@table @option
3090@item tempo
3091Set tempo scale factor.
3092
3093@item pitch
3094Set pitch scale factor.
3095
3096@item transients
3097Set transients detector.
3098Possible values are:
3099@table @var
3100@item crisp
3101@item mixed
3102@item smooth
3103@end table
3104
3105@item detector
3106Set detector.
3107Possible values are:
3108@table @var
3109@item compound
3110@item percussive
3111@item soft
3112@end table
3113
3114@item phase
3115Set phase.
3116Possible values are:
3117@table @var
3118@item laminar
3119@item independent
3120@end table
3121
3122@item window
3123Set processing window size.
3124Possible values are:
3125@table @var
3126@item standard
3127@item short
3128@item long
3129@end table
3130
3131@item smoothing
3132Set smoothing.
3133Possible values are:
3134@table @var
3135@item off
3136@item on
3137@end table
3138
3139@item formant
3140Enable formant preservation when shift pitching.
3141Possible values are:
3142@table @var
3143@item shifted
3144@item preserved
3145@end table
3146
3147@item pitchq
3148Set pitch quality.
3149Possible values are:
3150@table @var
3151@item quality
3152@item speed
3153@item consistency
3154@end table
3155
3156@item channels
3157Set channels.
3158Possible values are:
3159@table @var
3160@item apart
3161@item together
3162@end table
3163@end table
3164
3165@section sidechaincompress
3166
3167This filter acts like normal compressor but has the ability to compress
3168detected signal using second input signal.
3169It needs two input streams and returns one output stream.
3170First input stream will be processed depending on second stream signal.
3171The filtered signal then can be filtered with other filters in later stages of
3172processing. See @ref{pan} and @ref{amerge} filter.
3173
3174The filter accepts the following options:
3175
3176@table @option
3177@item level_in
3178Set input gain. Default is 1. Range is between 0.015625 and 64.
3179
3180@item threshold
3181If a signal of second stream raises above this level it will affect the gain
3182reduction of first stream.
3183By default is 0.125. Range is between 0.00097563 and 1.
3184
3185@item ratio
3186Set a ratio about which the signal is reduced. 1:2 means that if the level
3187raised 4dB above the threshold, it will be only 2dB above after the reduction.
3188Default is 2. Range is between 1 and 20.
3189
3190@item attack
3191Amount of milliseconds the signal has to rise above the threshold before gain
3192reduction starts. Default is 20. Range is between 0.01 and 2000.
3193
3194@item release
3195Amount of milliseconds the signal has to fall below the threshold before
3196reduction is decreased again. Default is 250. Range is between 0.01 and 9000.
3197
3198@item makeup
3199Set the amount by how much signal will be amplified after processing.
3200Default is 2. Range is from 1 and 64.
3201
3202@item knee
3203Curve the sharp knee around the threshold to enter gain reduction more softly.
3204Default is 2.82843. Range is between 1 and 8.
3205
3206@item link
3207Choose if the @code{average} level between all channels of side-chain stream
3208or the louder(@code{maximum}) channel of side-chain stream affects the
3209reduction. Default is @code{average}.
3210
3211@item detection
3212Should the exact signal be taken in case of @code{peak} or an RMS one in case
3213of @code{rms}. Default is @code{rms} which is mainly smoother.
3214
3215@item level_sc
3216Set sidechain gain. Default is 1. Range is between 0.015625 and 64.
3217
3218@item mix
3219How much to use compressed signal in output. Default is 1.
3220Range is between 0 and 1.
3221@end table
3222
3223@subsection Examples
3224
3225@itemize
3226@item
3227Full ffmpeg example taking 2 audio inputs, 1st input to be compressed
3228depending on the signal of 2nd input and later compressed signal to be
3229merged with 2nd input:
3230@example
3231ffmpeg -i main.flac -i sidechain.flac -filter_complex "[1:a]asplit=2[sc][mix];[0:a][sc]sidechaincompress[compr];[compr][mix]amerge"
3232@end example
3233@end itemize
3234
3235@section sidechaingate
3236
3237A sidechain gate acts like a normal (wideband) gate but has the ability to
3238filter the detected signal before sending it to the gain reduction stage.
3239Normally a gate uses the full range signal to detect a level above the
3240threshold.
3241For example: If you cut all lower frequencies from your sidechain signal
3242the gate will decrease the volume of your track only if not enough highs
3243appear. With this technique you are able to reduce the resonation of a
3244natural drum or remove "rumbling" of muted strokes from a heavily distorted
3245guitar.
3246It needs two input streams and returns one output stream.
3247First input stream will be processed depending on second stream signal.
3248
3249The filter accepts the following options:
3250
3251@table @option
3252@item level_in
3253Set input level before filtering.
3254Default is 1. Allowed range is from 0.015625 to 64.
3255
3256@item range
3257Set the level of gain reduction when the signal is below the threshold.
3258Default is 0.06125. Allowed range is from 0 to 1.
3259
3260@item threshold
3261If a signal rises above this level the gain reduction is released.
3262Default is 0.125. Allowed range is from 0 to 1.
3263
3264@item ratio
3265Set a ratio about which the signal is reduced.
3266Default is 2. Allowed range is from 1 to 9000.
3267
3268@item attack
3269Amount of milliseconds the signal has to rise above the threshold before gain
3270reduction stops.
3271Default is 20 milliseconds. Allowed range is from 0.01 to 9000.
3272
3273@item release
3274Amount of milliseconds the signal has to fall below the threshold before the
3275reduction is increased again. Default is 250 milliseconds.
3276Allowed range is from 0.01 to 9000.
3277
3278@item makeup
3279Set amount of amplification of signal after processing.
3280Default is 1. Allowed range is from 1 to 64.
3281
3282@item knee
3283Curve the sharp knee around the threshold to enter gain reduction more softly.
3284Default is 2.828427125. Allowed range is from 1 to 8.
3285
3286@item detection
3287Choose if exact signal should be taken for detection or an RMS like one.
3288Default is rms. Can be peak or rms.
3289
3290@item link
3291Choose if the average level between all channels or the louder channel affects
3292the reduction.
3293Default is average. Can be average or maximum.
3294
3295@item level_sc
3296Set sidechain gain. Default is 1. Range is from 0.015625 to 64.
3297@end table
3298
3299@section silencedetect
3300
3301Detect silence in an audio stream.
3302
3303This filter logs a message when it detects that the input audio volume is less
3304or equal to a noise tolerance value for a duration greater or equal to the
3305minimum detected noise duration.
3306
3307The printed times and duration are expressed in seconds.
3308
3309The filter accepts the following options:
3310
3311@table @option
3312@item duration, d
3313Set silence duration until notification (default is 2 seconds).
3314
3315@item noise, n
3316Set noise tolerance. Can be specified in dB (in case "dB" is appended to the
3317specified value) or amplitude ratio. Default is -60dB, or 0.001.
3318@end table
3319
3320@subsection Examples
3321
3322@itemize
3323@item
3324Detect 5 seconds of silence with -50dB noise tolerance:
3325@example
3326silencedetect=n=-50dB:d=5
3327@end example
3328
3329@item
3330Complete example with @command{ffmpeg} to detect silence with 0.0001 noise
3331tolerance in @file{silence.mp3}:
3332@example
3333ffmpeg -i silence.mp3 -af silencedetect=noise=0.0001 -f null -
3334@end example
3335@end itemize
3336
3337@section silenceremove
3338
3339Remove silence from the beginning, middle or end of the audio.
3340
3341The filter accepts the following options:
3342
3343@table @option
3344@item start_periods
3345This value is used to indicate if audio should be trimmed at beginning of
3346the audio. A value of zero indicates no silence should be trimmed from the
3347beginning. When specifying a non-zero value, it trims audio up until it
3348finds non-silence. Normally, when trimming silence from beginning of audio
3349the @var{start_periods} will be @code{1} but it can be increased to higher
3350values to trim all audio up to specific count of non-silence periods.
3351Default value is @code{0}.
3352
3353@item start_duration
3354Specify the amount of time that non-silence must be detected before it stops
3355trimming audio. By increasing the duration, bursts of noises can be treated
3356as silence and trimmed off. Default value is @code{0}.
3357
3358@item start_threshold
3359This indicates what sample value should be treated as silence. For digital
3360audio, a value of @code{0} may be fine but for audio recorded from analog,
3361you may wish to increase the value to account for background noise.
3362Can be specified in dB (in case "dB" is appended to the specified value)
3363or amplitude ratio. Default value is @code{0}.
3364
3365@item stop_periods
3366Set the count for trimming silence from the end of audio.
3367To remove silence from the middle of a file, specify a @var{stop_periods}
3368that is negative. This value is then treated as a positive value and is
3369used to indicate the effect should restart processing as specified by
3370@var{start_periods}, making it suitable for removing periods of silence
3371in the middle of the audio.
3372Default value is @code{0}.
3373
3374@item stop_duration
3375Specify a duration of silence that must exist before audio is not copied any
3376more. By specifying a higher duration, silence that is wanted can be left in
3377the audio.
3378Default value is @code{0}.
3379
3380@item stop_threshold
3381This is the same as @option{start_threshold} but for trimming silence from
3382the end of audio.
3383Can be specified in dB (in case "dB" is appended to the specified value)
3384or amplitude ratio. Default value is @code{0}.
3385
3386@item leave_silence
3387This indicates that @var{stop_duration} length of audio should be left intact
3388at the beginning of each period of silence.
3389For example, if you want to remove long pauses between words but do not want
3390to remove the pauses completely. Default value is @code{0}.
3391
3392@item detection
3393Set how is silence detected. Can be @code{rms} or @code{peak}. Second is faster
3394and works better with digital silence which is exactly 0.
3395Default value is @code{rms}.
3396
3397@item window
3398Set ratio used to calculate size of window for detecting silence.
3399Default value is @code{0.02}. Allowed range is from @code{0} to @code{10}.
3400@end table
3401
3402@subsection Examples
3403
3404@itemize
3405@item
3406The following example shows how this filter can be used to start a recording
3407that does not contain the delay at the start which usually occurs between
3408pressing the record button and the start of the performance:
3409@example
3410silenceremove=1:5:0.02
3411@end example
3412
3413@item
3414Trim all silence encountered from beginning to end where there is more than 1
3415second of silence in audio:
3416@example
3417silenceremove=0:0:0:-1:1:-90dB
3418@end example
3419@end itemize
3420
3421@section sofalizer
3422
3423SOFAlizer uses head-related transfer functions (HRTFs) to create virtual
3424loudspeakers around the user for binaural listening via headphones (audio
3425formats up to 9 channels supported).
3426The HRTFs are stored in SOFA files (see @url{http://www.sofacoustics.org/} for a database).
3427SOFAlizer is developed at the Acoustics Research Institute (ARI) of the
3428Austrian Academy of Sciences.
3429
3430To enable compilation of this filter you need to configure FFmpeg with
3431@code{--enable-netcdf}.
3432
3433The filter accepts the following options:
3434
3435@table @option
3436@item sofa
3437Set the SOFA file used for rendering.
3438
3439@item gain
3440Set gain applied to audio. Value is in dB. Default is 0.
3441
3442@item rotation
3443Set rotation of virtual loudspeakers in deg. Default is 0.
3444
3445@item elevation
3446Set elevation of virtual speakers in deg. Default is 0.
3447
3448@item radius
3449Set distance in meters between loudspeakers and the listener with near-field
3450HRTFs. Default is 1.
3451
3452@item type
3453Set processing type. Can be @var{time} or @var{freq}. @var{time} is
3454processing audio in time domain which is slow.
3455@var{freq} is processing audio in frequency domain which is fast.
3456Default is @var{freq}.
3457
3458@item speakers
3459Set custom positions of virtual loudspeakers. Syntax for this option is:
3460<CH> <AZIM> <ELEV>[|<CH> <AZIM> <ELEV>|...].
3461Each virtual loudspeaker is described with short channel name following with
3462azimuth and elevation in degreees.
3463Each virtual loudspeaker description is separated by '|'.
3464For example to override front left and front right channel positions use:
3465'speakers=FL 45 15|FR 345 15'.
3466Descriptions with unrecognised channel names are ignored.
3467@end table
3468
3469@subsection Examples
3470
3471@itemize
3472@item
3473Using ClubFritz6 sofa file:
3474@example
3475sofalizer=sofa=/path/to/ClubFritz6.sofa:type=freq:radius=1
3476@end example
3477
3478@item
3479Using ClubFritz12 sofa file and bigger radius with small rotation:
3480@example
3481sofalizer=sofa=/path/to/ClubFritz12.sofa:type=freq:radius=2:rotation=5
3482@end example
3483
3484@item
3485Similar as above but with custom speaker positions for front left, front right, back left and back right
3486and also with custom gain:
3487@example
3488"sofalizer=sofa=/path/to/ClubFritz6.sofa:type=freq:radius=2:speakers=FL 45|FR 315|BL 135|BR 225:gain=28"
3489@end example
3490@end itemize
3491
3492@section stereotools
3493
3494This filter has some handy utilities to manage stereo signals, for converting
3495M/S stereo recordings to L/R signal while having control over the parameters
3496or spreading the stereo image of master track.
3497
3498The filter accepts the following options:
3499
3500@table @option
3501@item level_in
3502Set input level before filtering for both channels. Defaults is 1.
3503Allowed range is from 0.015625 to 64.
3504
3505@item level_out
3506Set output level after filtering for both channels. Defaults is 1.
3507Allowed range is from 0.015625 to 64.
3508
3509@item balance_in
3510Set input balance between both channels. Default is 0.
3511Allowed range is from -1 to 1.
3512
3513@item balance_out
3514Set output balance between both channels. Default is 0.
3515Allowed range is from -1 to 1.
3516
3517@item softclip
3518Enable softclipping. Results in analog distortion instead of harsh digital 0dB
3519clipping. Disabled by default.
3520
3521@item mutel
3522Mute the left channel. Disabled by default.
3523
3524@item muter
3525Mute the right channel. Disabled by default.
3526
3527@item phasel
3528Change the phase of the left channel. Disabled by default.
3529
3530@item phaser
3531Change the phase of the right channel. Disabled by default.
3532
3533@item mode
3534Set stereo mode. Available values are:
3535
3536@table @samp
3537@item lr>lr
3538Left/Right to Left/Right, this is default.
3539
3540@item lr>ms
3541Left/Right to Mid/Side.
3542
3543@item ms>lr
3544Mid/Side to Left/Right.
3545
3546@item lr>ll
3547Left/Right to Left/Left.
3548
3549@item lr>rr
3550Left/Right to Right/Right.
3551
3552@item lr>l+r
3553Left/Right to Left + Right.
3554
3555@item lr>rl
3556Left/Right to Right/Left.
3557@end table
3558
3559@item slev
3560Set level of side signal. Default is 1.
3561Allowed range is from 0.015625 to 64.
3562
3563@item sbal
3564Set balance of side signal. Default is 0.
3565Allowed range is from -1 to 1.
3566
3567@item mlev
3568Set level of the middle signal. Default is 1.
3569Allowed range is from 0.015625 to 64.
3570
3571@item mpan
3572Set middle signal pan. Default is 0. Allowed range is from -1 to 1.
3573
3574@item base
3575Set stereo base between mono and inversed channels. Default is 0.
3576Allowed range is from -1 to 1.
3577
3578@item delay
3579Set delay in milliseconds how much to delay left from right channel and
3580vice versa. Default is 0. Allowed range is from -20 to 20.
3581
3582@item sclevel
3583Set S/C level. Default is 1. Allowed range is from 1 to 100.
3584
3585@item phase
3586Set the stereo phase in degrees. Default is 0. Allowed range is from 0 to 360.
3587@end table
3588
3589@subsection Examples
3590
3591@itemize
3592@item
3593Apply karaoke like effect:
3594@example
3595stereotools=mlev=0.015625
3596@end example
3597
3598@item
3599Convert M/S signal to L/R:
3600@example
3601"stereotools=mode=ms>lr"
3602@end example
3603@end itemize
3604
3605@section stereowiden
3606
3607This filter enhance the stereo effect by suppressing signal common to both
3608channels and by delaying the signal of left into right and vice versa,
3609thereby widening the stereo effect.
3610
3611The filter accepts the following options:
3612
3613@table @option
3614@item delay
3615Time in milliseconds of the delay of left signal into right and vice versa.
3616Default is 20 milliseconds.
3617
3618@item feedback
3619Amount of gain in delayed signal into right and vice versa. Gives a delay
3620effect of left signal in right output and vice versa which gives widening
3621effect. Default is 0.3.
3622
3623@item crossfeed
3624Cross feed of left into right with inverted phase. This helps in suppressing
3625the mono. If the value is 1 it will cancel all the signal common to both
3626channels. Default is 0.3.
3627
3628@item drymix
3629Set level of input signal of original channel. Default is 0.8.
3630@end table
3631
3632@section treble
3633
3634Boost or cut treble (upper) frequencies of the audio using a two-pole
3635shelving filter with a response similar to that of a standard
3636hi-fi's tone-controls. This is also known as shelving equalisation (EQ).
3637
3638The filter accepts the following options:
3639
3640@table @option
3641@item gain, g
3642Give the gain at whichever is the lower of ~22 kHz and the
3643Nyquist frequency. Its useful range is about -20 (for a large cut)
3644to +20 (for a large boost). Beware of clipping when using a positive gain.
3645
3646@item frequency, f
3647Set the filter's central frequency and so can be used
3648to extend or reduce the frequency range to be boosted or cut.
3649The default value is @code{3000} Hz.
3650
3651@item width_type
3652Set method to specify band-width of filter.
3653@table @option
3654@item h
3655Hz
3656@item q
3657Q-Factor
3658@item o
3659octave
3660@item s
3661slope
3662@end table
3663
3664@item width, w
3665Determine how steep is the filter's shelf transition.
3666@end table
3667
3668@section tremolo
3669
3670Sinusoidal amplitude modulation.
3671
3672The filter accepts the following options:
3673
3674@table @option
3675@item f
3676Modulation frequency in Hertz. Modulation frequencies in the subharmonic range
3677(20 Hz or lower) will result in a tremolo effect.
3678This filter may also be used as a ring modulator by specifying
3679a modulation frequency higher than 20 Hz.
3680Range is 0.1 - 20000.0. Default value is 5.0 Hz.
3681
3682@item d
3683Depth of modulation as a percentage. Range is 0.0 - 1.0.
3684Default value is 0.5.
3685@end table
3686
3687@section vibrato
3688
3689Sinusoidal phase modulation.
3690
3691The filter accepts the following options:
3692
3693@table @option
3694@item f
3695Modulation frequency in Hertz.
3696Range is 0.1 - 20000.0. Default value is 5.0 Hz.
3697
3698@item d
3699Depth of modulation as a percentage. Range is 0.0 - 1.0.
3700Default value is 0.5.
3701@end table
3702
3703@section volume
3704
3705Adjust the input audio volume.
3706
3707It accepts the following parameters:
3708@table @option
3709
3710@item volume
3711Set audio volume expression.
3712
3713Output values are clipped to the maximum value.
3714
3715The output audio volume is given by the relation:
3716@example
3717@var{output_volume} = @var{volume} * @var{input_volume}
3718@end example
3719
3720The default value for @var{volume} is "1.0".
3721
3722@item precision
3723This parameter represents the mathematical precision.
3724
3725It determines which input sample formats will be allowed, which affects the
3726precision of the volume scaling.
3727
3728@table @option
3729@item fixed
37308-bit fixed-point; this limits input sample format to U8, S16, and S32.
3731@item float
373232-bit floating-point; this limits input sample format to FLT. (default)
3733@item double
373464-bit floating-point; this limits input sample format to DBL.
3735@end table
3736
3737@item replaygain
3738Choose the behaviour on encountering ReplayGain side data in input frames.
3739
3740@table @option
3741@item drop
3742Remove ReplayGain side data, ignoring its contents (the default).
3743
3744@item ignore
3745Ignore ReplayGain side data, but leave it in the frame.
3746
3747@item track
3748Prefer the track gain, if present.
3749
3750@item album
3751Prefer the album gain, if present.
3752@end table
3753
3754@item replaygain_preamp
3755Pre-amplification gain in dB to apply to the selected replaygain gain.
3756
3757Default value for @var{replaygain_preamp} is 0.0.
3758
3759@item eval
3760Set when the volume expression is evaluated.
3761
3762It accepts the following values:
3763@table @samp
3764@item once
3765only evaluate expression once during the filter initialization, or
3766when the @samp{volume} command is sent
3767
3768@item frame
3769evaluate expression for each incoming frame
3770@end table
3771
3772Default value is @samp{once}.
3773@end table
3774
3775The volume expression can contain the following parameters.
3776
3777@table @option
3778@item n
3779frame number (starting at zero)
3780@item nb_channels
3781number of channels
3782@item nb_consumed_samples
3783number of samples consumed by the filter
3784@item nb_samples
3785number of samples in the current frame
3786@item pos
3787original frame position in the file
3788@item pts
3789frame PTS
3790@item sample_rate
3791sample rate
3792@item startpts
3793PTS at start of stream
3794@item startt
3795time at start of stream
3796@item t
3797frame time
3798@item tb
3799timestamp timebase
3800@item volume
3801last set volume value
3802@end table
3803
3804Note that when @option{eval} is set to @samp{once} only the
3805@var{sample_rate} and @var{tb} variables are available, all other
3806variables will evaluate to NAN.
3807
3808@subsection Commands
3809
3810This filter supports the following commands:
3811@table @option
3812@item volume
3813Modify the volume expression.
3814The command accepts the same syntax of the corresponding option.
3815
3816If the specified expression is not valid, it is kept at its current
3817value.
3818@item replaygain_noclip
3819Prevent clipping by limiting the gain applied.
3820
3821Default value for @var{replaygain_noclip} is 1.
3822
3823@end table
3824
3825@subsection Examples
3826
3827@itemize
3828@item
3829Halve the input audio volume:
3830@example
3831volume=volume=0.5
3832volume=volume=1/2
3833volume=volume=-6.0206dB
3834@end example
3835
3836In all the above example the named key for @option{volume} can be
3837omitted, for example like in:
3838@example
3839volume=0.5
3840@end example
3841
3842@item
3843Increase input audio power by 6 decibels using fixed-point precision:
3844@example
3845volume=volume=6dB:precision=fixed
3846@end example
3847
3848@item
3849Fade volume after time 10 with an annihilation period of 5 seconds:
3850@example
3851volume='if(lt(t,10),1,max(1-(t-10)/5,0))':eval=frame
3852@end example
3853@end itemize
3854
3855@section volumedetect
3856
3857Detect the volume of the input video.
3858
3859The filter has no parameters. The input is not modified. Statistics about
3860the volume will be printed in the log when the input stream end is reached.
3861
3862In particular it will show the mean volume (root mean square), maximum
3863volume (on a per-sample basis), and the beginning of a histogram of the
3864registered volume values (from the maximum value to a cumulated 1/1000 of
3865the samples).
3866
3867All volumes are in decibels relative to the maximum PCM value.
3868
3869@subsection Examples
3870
3871Here is an excerpt of the output:
3872@example
3873[Parsed_volumedetect_0 @ 0xa23120] mean_volume: -27 dB
3874[Parsed_volumedetect_0 @ 0xa23120] max_volume: -4 dB
3875[Parsed_volumedetect_0 @ 0xa23120] histogram_4db: 6
3876[Parsed_volumedetect_0 @ 0xa23120] histogram_5db: 62
3877[Parsed_volumedetect_0 @ 0xa23120] histogram_6db: 286
3878[Parsed_volumedetect_0 @ 0xa23120] histogram_7db: 1042
3879[Parsed_volumedetect_0 @ 0xa23120] histogram_8db: 2551
3880[Parsed_volumedetect_0 @ 0xa23120] histogram_9db: 4609
3881[Parsed_volumedetect_0 @ 0xa23120] histogram_10db: 8409
3882@end example
3883
3884It means that:
3885@itemize
3886@item
3887The mean square energy is approximately -27 dB, or 10^-2.7.
3888@item
3889The largest sample is at -4 dB, or more precisely between -4 dB and -5 dB.
3890@item
3891There are 6 samples at -4 dB, 62 at -5 dB, 286 at -6 dB, etc.
3892@end itemize
3893
3894In other words, raising the volume by +4 dB does not cause any clipping,
3895raising it by +5 dB causes clipping for 6 samples, etc.
3896
3897@c man end AUDIO FILTERS
3898
3899@chapter Audio Sources
3900@c man begin AUDIO SOURCES
3901
3902Below is a description of the currently available audio sources.
3903
3904@section abuffer
3905
3906Buffer audio frames, and make them available to the filter chain.
3907
3908This source is mainly intended for a programmatic use, in particular
3909through the interface defined in @file{libavfilter/asrc_abuffer.h}.
3910
3911It accepts the following parameters:
3912@table @option
3913
3914@item time_base
3915The timebase which will be used for timestamps of submitted frames. It must be
3916either a floating-point number or in @var{numerator}/@var{denominator} form.
3917
3918@item sample_rate
3919The sample rate of the incoming audio buffers.
3920
3921@item sample_fmt
3922The sample format of the incoming audio buffers.
3923Either a sample format name or its corresponding integer representation from
3924the enum AVSampleFormat in @file{libavutil/samplefmt.h}
3925
3926@item channel_layout
3927The channel layout of the incoming audio buffers.
3928Either a channel layout name from channel_layout_map in
3929@file{libavutil/channel_layout.c} or its corresponding integer representation
3930from the AV_CH_LAYOUT_* macros in @file{libavutil/channel_layout.h}
3931
3932@item channels
3933The number of channels of the incoming audio buffers.
3934If both @var{channels} and @var{channel_layout} are specified, then they
3935must be consistent.
3936
3937@end table
3938
3939@subsection Examples
3940
3941@example
3942abuffer=sample_rate=44100:sample_fmt=s16p:channel_layout=stereo
3943@end example
3944
3945will instruct the source to accept planar 16bit signed stereo at 44100Hz.
3946Since the sample format with name "s16p" corresponds to the number
39476 and the "stereo" channel layout corresponds to the value 0x3, this is
3948equivalent to:
3949@example
3950abuffer=sample_rate=44100:sample_fmt=6:channel_layout=0x3
3951@end example
3952
3953@section aevalsrc
3954
3955Generate an audio signal specified by an expression.
3956
3957This source accepts in input one or more expressions (one for each
3958channel), which are evaluated and used to generate a corresponding
3959audio signal.
3960
3961This source accepts the following options:
3962
3963@table @option
3964@item exprs
3965Set the '|'-separated expressions list for each separate channel. In case the
3966@option{channel_layout} option is not specified, the selected channel layout
3967depends on the number of provided expressions. Otherwise the last
3968specified expression is applied to the remaining output channels.
3969
3970@item channel_layout, c
3971Set the channel layout. The number of channels in the specified layout
3972must be equal to the number of specified expressions.
3973
3974@item duration, d
3975Set the minimum duration of the sourced audio. See
3976@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
3977for the accepted syntax.
3978Note that the resulting duration may be greater than the specified
3979duration, as the generated audio is always cut at the end of a
3980complete frame.
3981
3982If not specified, or the expressed duration is negative, the audio is
3983supposed to be generated forever.
3984
3985@item nb_samples, n
3986Set the number of samples per channel per each output frame,
3987default to 1024.
3988
3989@item sample_rate, s
3990Specify the sample rate, default to 44100.
3991@end table
3992
3993Each expression in @var{exprs} can contain the following constants:
3994
3995@table @option
3996@item n
3997number of the evaluated sample, starting from 0
3998
3999@item t
4000time of the evaluated sample expressed in seconds, starting from 0
4001
4002@item s
4003sample rate
4004
4005@end table
4006
4007@subsection Examples
4008
4009@itemize
4010@item
4011Generate silence:
4012@example
4013aevalsrc=0
4014@end example
4015
4016@item
4017Generate a sin signal with frequency of 440 Hz, set sample rate to
40188000 Hz:
4019@example
4020aevalsrc="sin(440*2*PI*t):s=8000"
4021@end example
4022
4023@item
4024Generate a two channels signal, specify the channel layout (Front
4025Center + Back Center) explicitly:
4026@example
4027aevalsrc="sin(420*2*PI*t)|cos(430*2*PI*t):c=FC|BC"
4028@end example
4029
4030@item
4031Generate white noise:
4032@example
4033aevalsrc="-2+random(0)"
4034@end example
4035
4036@item
4037Generate an amplitude modulated signal:
4038@example
4039aevalsrc="sin(10*2*PI*t)*sin(880*2*PI*t)"
4040@end example
4041
4042@item
4043Generate 2.5 Hz binaural beats on a 360 Hz carrier:
4044@example
4045aevalsrc="0.1*sin(2*PI*(360-2.5/2)*t) | 0.1*sin(2*PI*(360+2.5/2)*t)"
4046@end example
4047
4048@end itemize
4049
4050@section anullsrc
4051
4052The null audio source, return unprocessed audio frames. It is mainly useful
4053as a template and to be employed in analysis / debugging tools, or as
4054the source for filters which ignore the input data (for example the sox
4055synth filter).
4056
4057This source accepts the following options:
4058
4059@table @option
4060
4061@item channel_layout, cl
4062
4063Specifies the channel layout, and can be either an integer or a string
4064representing a channel layout. The default value of @var{channel_layout}
4065is "stereo".
4066
4067Check the channel_layout_map definition in
4068@file{libavutil/channel_layout.c} for the mapping between strings and
4069channel layout values.
4070
4071@item sample_rate, r
4072Specifies the sample rate, and defaults to 44100.
4073
4074@item nb_samples, n
4075Set the number of samples per requested frames.
4076
4077@end table
4078
4079@subsection Examples
4080
4081@itemize
4082@item
4083Set the sample rate to 48000 Hz and the channel layout to AV_CH_LAYOUT_MONO.
4084@example
4085anullsrc=r=48000:cl=4
4086@end example
4087
4088@item
4089Do the same operation with a more obvious syntax:
4090@example
4091anullsrc=r=48000:cl=mono
4092@end example
4093@end itemize
4094
4095All the parameters need to be explicitly defined.
4096
4097@section flite
4098
4099Synthesize a voice utterance using the libflite library.
4100
4101To enable compilation of this filter you need to configure FFmpeg with
4102@code{--enable-libflite}.
4103
4104Note that the flite library is not thread-safe.
4105
4106The filter accepts the following options:
4107
4108@table @option
4109
4110@item list_voices
4111If set to 1, list the names of the available voices and exit
4112immediately. Default value is 0.
4113
4114@item nb_samples, n
4115Set the maximum number of samples per frame. Default value is 512.
4116
4117@item textfile
4118Set the filename containing the text to speak.
4119
4120@item text
4121Set the text to speak.
4122
4123@item voice, v
4124Set the voice to use for the speech synthesis. Default value is
4125@code{kal}. See also the @var{list_voices} option.
4126@end table
4127
4128@subsection Examples
4129
4130@itemize
4131@item
4132Read from file @file{speech.txt}, and synthesize the text using the
4133standard flite voice:
4134@example
4135flite=textfile=speech.txt
4136@end example
4137
4138@item
4139Read the specified text selecting the @code{slt} voice:
4140@example
4141flite=text='So fare thee well, poor devil of a Sub-Sub, whose commentator I am':voice=slt
4142@end example
4143
4144@item
4145Input text to ffmpeg:
4146@example
4147ffmpeg -f lavfi -i flite=text='So fare thee well, poor devil of a Sub-Sub, whose commentator I am':voice=slt
4148@end example
4149
4150@item
4151Make @file{ffplay} speak the specified text, using @code{flite} and
4152the @code{lavfi} device:
4153@example
4154ffplay -f lavfi flite=text='No more be grieved for which that thou hast done.'
4155@end example
4156@end itemize
4157
4158For more information about libflite, check:
4159@url{http://www.speech.cs.cmu.edu/flite/}
4160
4161@section anoisesrc
4162
4163Generate a noise audio signal.
4164
4165The filter accepts the following options:
4166
4167@table @option
4168@item sample_rate, r
4169Specify the sample rate. Default value is 48000 Hz.
4170
4171@item amplitude, a
4172Specify the amplitude (0.0 - 1.0) of the generated audio stream. Default value
4173is 1.0.
4174
4175@item duration, d
4176Specify the duration of the generated audio stream. Not specifying this option
4177results in noise with an infinite length.
4178
4179@item color, colour, c
4180Specify the color of noise. Available noise colors are white, pink, and brown.
4181Default color is white.
4182
4183@item seed, s
4184Specify a value used to seed the PRNG.
4185
4186@item nb_samples, n
4187Set the number of samples per each output frame, default is 1024.
4188@end table
4189
4190@subsection Examples
4191
4192@itemize
4193
4194@item
4195Generate 60 seconds of pink noise, with a 44.1 kHz sampling rate and an amplitude of 0.5:
4196@example
4197anoisesrc=d=60:c=pink:r=44100:a=0.5
4198@end example
4199@end itemize
4200
4201@section sine
4202
4203Generate an audio signal made of a sine wave with amplitude 1/8.
4204
4205The audio signal is bit-exact.
4206
4207The filter accepts the following options:
4208
4209@table @option
4210
4211@item frequency, f
4212Set the carrier frequency. Default is 440 Hz.
4213
4214@item beep_factor, b
4215Enable a periodic beep every second with frequency @var{beep_factor} times
4216the carrier frequency. Default is 0, meaning the beep is disabled.
4217
4218@item sample_rate, r
4219Specify the sample rate, default is 44100.
4220
4221@item duration, d
4222Specify the duration of the generated audio stream.
4223
4224@item samples_per_frame
4225Set the number of samples per output frame.
4226
4227The expression can contain the following constants:
4228
4229@table @option
4230@item n
4231The (sequential) number of the output audio frame, starting from 0.
4232
4233@item pts
4234The PTS (Presentation TimeStamp) of the output audio frame,
4235expressed in @var{TB} units.
4236
4237@item t
4238The PTS of the output audio frame, expressed in seconds.
4239
4240@item TB
4241The timebase of the output audio frames.
4242@end table
4243
4244Default is @code{1024}.
4245@end table
4246
4247@subsection Examples
4248
4249@itemize
4250
4251@item
4252Generate a simple 440 Hz sine wave:
4253@example
4254sine
4255@end example
4256
4257@item
4258Generate a 220 Hz sine wave with a 880 Hz beep each second, for 5 seconds:
4259@example
4260sine=220:4:d=5
4261sine=f=220:b=4:d=5
4262sine=frequency=220:beep_factor=4:duration=5
4263@end example
4264
4265@item
4266Generate a 1 kHz sine wave following @code{1602,1601,1602,1601,1602} NTSC
4267pattern:
4268@example
4269sine=1000:samples_per_frame='st(0,mod(n,5)); 1602-not(not(eq(ld(0),1)+eq(ld(0),3)))'
4270@end example
4271@end itemize
4272
4273@c man end AUDIO SOURCES
4274
4275@chapter Audio Sinks
4276@c man begin AUDIO SINKS
4277
4278Below is a description of the currently available audio sinks.
4279
4280@section abuffersink
4281
4282Buffer audio frames, and make them available to the end of filter chain.
4283
4284This sink is mainly intended for programmatic use, in particular
4285through the interface defined in @file{libavfilter/buffersink.h}
4286or the options system.
4287
4288It accepts a pointer to an AVABufferSinkContext structure, which
4289defines the incoming buffers' formats, to be passed as the opaque
4290parameter to @code{avfilter_init_filter} for initialization.
4291@section anullsink
4292
4293Null audio sink; do absolutely nothing with the input audio. It is
4294mainly useful as a template and for use in analysis / debugging
4295tools.
4296
4297@c man end AUDIO SINKS
4298
4299@chapter Video Filters
4300@c man begin VIDEO FILTERS
4301
4302When you configure your FFmpeg build, you can disable any of the
4303existing filters using @code{--disable-filters}.
4304The configure output will show the video filters included in your
4305build.
4306
4307Below is a description of the currently available video filters.
4308
4309@section alphaextract
4310
4311Extract the alpha component from the input as a grayscale video. This
4312is especially useful with the @var{alphamerge} filter.
4313
4314@section alphamerge
4315
4316Add or replace the alpha component of the primary input with the
4317grayscale value of a second input. This is intended for use with
4318@var{alphaextract} to allow the transmission or storage of frame
4319sequences that have alpha in a format that doesn't support an alpha
4320channel.
4321
4322For example, to reconstruct full frames from a normal YUV-encoded video
4323and a separate video created with @var{alphaextract}, you might use:
4324@example
4325movie=in_alpha.mkv [alpha]; [in][alpha] alphamerge [out]
4326@end example
4327
4328Since this filter is designed for reconstruction, it operates on frame
4329sequences without considering timestamps, and terminates when either
4330input reaches end of stream. This will cause problems if your encoding
4331pipeline drops frames. If you're trying to apply an image as an
4332overlay to a video stream, consider the @var{overlay} filter instead.
4333
4334@section ass
4335
4336Same as the @ref{subtitles} filter, except that it doesn't require libavcodec
4337and libavformat to work. On the other hand, it is limited to ASS (Advanced
4338Substation Alpha) subtitles files.
4339
4340This filter accepts the following option in addition to the common options from
4341the @ref{subtitles} filter:
4342
4343@table @option
4344@item shaping
4345Set the shaping engine
4346
4347Available values are:
4348@table @samp
4349@item auto
4350The default libass shaping engine, which is the best available.
4351@item simple
4352Fast, font-agnostic shaper that can do only substitutions
4353@item complex
4354Slower shaper using OpenType for substitutions and positioning
4355@end table
4356
4357The default is @code{auto}.
4358@end table
4359
4360@section atadenoise
4361Apply an Adaptive Temporal Averaging Denoiser to the video input.
4362
4363The filter accepts the following options:
4364
4365@table @option
4366@item 0a
4367Set threshold A for 1st plane. Default is 0.02.
4368Valid range is 0 to 0.3.
4369
4370@item 0b
4371Set threshold B for 1st plane. Default is 0.04.
4372Valid range is 0 to 5.
4373
4374@item 1a
4375Set threshold A for 2nd plane. Default is 0.02.
4376Valid range is 0 to 0.3.
4377
4378@item 1b
4379Set threshold B for 2nd plane. Default is 0.04.
4380Valid range is 0 to 5.
4381
4382@item 2a
4383Set threshold A for 3rd plane. Default is 0.02.
4384Valid range is 0 to 0.3.
4385
4386@item 2b
4387Set threshold B for 3rd plane. Default is 0.04.
4388Valid range is 0 to 5.
4389
4390Threshold A is designed to react on abrupt changes in the input signal and
4391threshold B is designed to react on continuous changes in the input signal.
4392
4393@item s
4394Set number of frames filter will use for averaging. Default is 33. Must be odd
4395number in range [5, 129].
4396
4397@item p
4398Set what planes of frame filter will use for averaging. Default is all.
4399@end table
4400
4401@section avgblur
4402
4403Apply average blur filter.
4404
4405The filter accepts the following options:
4406
4407@table @option
4408@item sizeX
4409Set horizontal kernel size.
4410
4411@item planes
4412Set which planes to filter. By default all planes are filtered.
4413
4414@item sizeY
4415Set vertical kernel size, if zero it will be same as @code{sizeX}.
4416Default is @code{0}.
4417@end table
4418
4419@section bbox
4420
4421Compute the bounding box for the non-black pixels in the input frame
4422luminance plane.
4423
4424This filter computes the bounding box containing all the pixels with a
4425luminance value greater than the minimum allowed value.
4426The parameters describing the bounding box are printed on the filter
4427log.
4428
4429The filter accepts the following option:
4430
4431@table @option
4432@item min_val
4433Set the minimal luminance value. Default is @code{16}.
4434@end table
4435
4436@section bitplanenoise
4437
4438Show and measure bit plane noise.
4439
4440The filter accepts the following options:
4441
4442@table @option
4443@item bitplane
4444Set which plane to analyze. Default is @code{1}.
4445
4446@item filter
4447Filter out noisy pixels from @code{bitplane} set above.
4448Default is disabled.
4449@end table
4450
4451@section blackdetect
4452
4453Detect video intervals that are (almost) completely black. Can be
4454useful to detect chapter transitions, commercials, or invalid
4455recordings. Output lines contains the time for the start, end and
4456duration of the detected black interval expressed in seconds.
4457
4458In order to display the output lines, you need to set the loglevel at
4459least to the AV_LOG_INFO value.
4460
4461The filter accepts the following options:
4462
4463@table @option
4464@item black_min_duration, d
4465Set the minimum detected black duration expressed in seconds. It must
4466be a non-negative floating point number.
4467
4468Default value is 2.0.
4469
4470@item picture_black_ratio_th, pic_th
4471Set the threshold for considering a picture "black".
4472Express the minimum value for the ratio:
4473@example
4474@var{nb_black_pixels} / @var{nb_pixels}
4475@end example
4476
4477for which a picture is considered black.
4478Default value is 0.98.
4479
4480@item pixel_black_th, pix_th
4481Set the threshold for considering a pixel "black".
4482
4483The threshold expresses the maximum pixel luminance value for which a
4484pixel is considered "black". The provided value is scaled according to
4485the following equation:
4486@example
4487@var{absolute_threshold} = @var{luminance_minimum_value} + @var{pixel_black_th} * @var{luminance_range_size}
4488@end example
4489
4490@var{luminance_range_size} and @var{luminance_minimum_value} depend on
4491the input video format, the range is [0-255] for YUV full-range
4492formats and [16-235] for YUV non full-range formats.
4493
4494Default value is 0.10.
4495@end table
4496
4497The following example sets the maximum pixel threshold to the minimum
4498value, and detects only black intervals of 2 or more seconds:
4499@example
4500blackdetect=d=2:pix_th=0.00
4501@end example
4502
4503@section blackframe
4504
4505Detect frames that are (almost) completely black. Can be useful to
4506detect chapter transitions or commercials. Output lines consist of
4507the frame number of the detected frame, the percentage of blackness,
4508the position in the file if known or -1 and the timestamp in seconds.
4509
4510In order to display the output lines, you need to set the loglevel at
4511least to the AV_LOG_INFO value.
4512
4513This filter exports frame metadata @code{lavfi.blackframe.pblack}.
4514The value represents the percentage of pixels in the picture that
4515are below the threshold value.
4516
4517It accepts the following parameters:
4518
4519@table @option
4520
4521@item amount
4522The percentage of the pixels that have to be below the threshold; it defaults to
4523@code{98}.
4524
4525@item threshold, thresh
4526The threshold below which a pixel value is considered black; it defaults to
4527@code{32}.
4528
4529@end table
4530
4531@section blend, tblend
4532
4533Blend two video frames into each other.
4534
4535The @code{blend} filter takes two input streams and outputs one
4536stream, the first input is the "top" layer and second input is
4537"bottom" layer. By default, the output terminates when the longest input terminates.
4538
4539The @code{tblend} (time blend) filter takes two consecutive frames
4540from one single stream, and outputs the result obtained by blending
4541the new frame on top of the old frame.
4542
4543A description of the accepted options follows.
4544
4545@table @option
4546@item c0_mode
4547@item c1_mode
4548@item c2_mode
4549@item c3_mode
4550@item all_mode
4551Set blend mode for specific pixel component or all pixel components in case
4552of @var{all_mode}. Default value is @code{normal}.
4553
4554Available values for component modes are:
4555@table @samp
4556@item addition
4557@item addition128
4558@item and
4559@item average
4560@item burn
4561@item darken
4562@item difference
4563@item difference128
4564@item divide
4565@item dodge
4566@item freeze
4567@item exclusion
4568@item glow
4569@item hardlight
4570@item hardmix
4571@item heat
4572@item lighten
4573@item linearlight
4574@item multiply
4575@item multiply128
4576@item negation
4577@item normal
4578@item or
4579@item overlay
4580@item phoenix
4581@item pinlight
4582@item reflect
4583@item screen
4584@item softlight
4585@item subtract
4586@item vividlight
4587@item xor
4588@end table
4589
4590@item c0_opacity
4591@item c1_opacity
4592@item c2_opacity
4593@item c3_opacity
4594@item all_opacity
4595Set blend opacity for specific pixel component or all pixel components in case
4596of @var{all_opacity}. Only used in combination with pixel component blend modes.
4597
4598@item c0_expr
4599@item c1_expr
4600@item c2_expr
4601@item c3_expr
4602@item all_expr
4603Set blend expression for specific pixel component or all pixel components in case
4604of @var{all_expr}. Note that related mode options will be ignored if those are set.
4605
4606The expressions can use the following variables:
4607
4608@table @option
4609@item N
4610The sequential number of the filtered frame, starting from @code{0}.
4611
4612@item X
4613@item Y
4614the coordinates of the current sample
4615
4616@item W
4617@item H
4618the width and height of currently filtered plane
4619
4620@item SW
4621@item SH
4622Width and height scale depending on the currently filtered plane. It is the
4623ratio between the corresponding luma plane number of pixels and the current
4624plane ones. E.g. for YUV4:2:0 the values are @code{1,1} for the luma plane, and
4625@code{0.5,0.5} for chroma planes.
4626
4627@item T
4628Time of the current frame, expressed in seconds.
4629
4630@item TOP, A
4631Value of pixel component at current location for first video frame (top layer).
4632
4633@item BOTTOM, B
4634Value of pixel component at current location for second video frame (bottom layer).
4635@end table
4636
4637@item shortest
4638Force termination when the shortest input terminates. Default is
4639@code{0}. This option is only defined for the @code{blend} filter.
4640
4641@item repeatlast
4642Continue applying the last bottom frame after the end of the stream. A value of
4643@code{0} disable the filter after the last frame of the bottom layer is reached.
4644Default is @code{1}. This option is only defined for the @code{blend} filter.
4645@end table
4646
4647@subsection Examples
4648
4649@itemize
4650@item
4651Apply transition from bottom layer to top layer in first 10 seconds:
4652@example
4653blend=all_expr='A*(if(gte(T,10),1,T/10))+B*(1-(if(gte(T,10),1,T/10)))'
4654@end example
4655
4656@item
4657Apply 1x1 checkerboard effect:
4658@example
4659blend=all_expr='if(eq(mod(X,2),mod(Y,2)),A,B)'
4660@end example
4661
4662@item
4663Apply uncover left effect:
4664@example
4665blend=all_expr='if(gte(N*SW+X,W),A,B)'
4666@end example
4667
4668@item
4669Apply uncover down effect:
4670@example
4671blend=all_expr='if(gte(Y-N*SH,0),A,B)'
4672@end example
4673
4674@item
4675Apply uncover up-left effect:
4676@example
4677blend=all_expr='if(gte(T*SH*40+Y,H)*gte((T*40*SW+X)*W/H,W),A,B)'
4678@end example
4679
4680@item
4681Split diagonally video and shows top and bottom layer on each side:
4682@example
4683blend=all_expr=if(gt(X,Y*(W/H)),A,B)
4684@end example
4685
4686@item
4687Display differences between the current and the previous frame:
4688@example
4689tblend=all_mode=difference128
4690@end example
4691@end itemize
4692
4693@section boxblur
4694
4695Apply a boxblur algorithm to the input video.
4696
4697It accepts the following parameters:
4698
4699@table @option
4700
4701@item luma_radius, lr
4702@item luma_power, lp
4703@item chroma_radius, cr
4704@item chroma_power, cp
4705@item alpha_radius, ar
4706@item alpha_power, ap
4707
4708@end table
4709
4710A description of the accepted options follows.
4711
4712@table @option
4713@item luma_radius, lr
4714@item chroma_radius, cr
4715@item alpha_radius, ar
4716Set an expression for the box radius in pixels used for blurring the
4717corresponding input plane.
4718
4719The radius value must be a non-negative number, and must not be
4720greater than the value of the expression @code{min(w,h)/2} for the
4721luma and alpha planes, and of @code{min(cw,ch)/2} for the chroma
4722planes.
4723
4724Default value for @option{luma_radius} is "2". If not specified,
4725@option{chroma_radius} and @option{alpha_radius} default to the
4726corresponding value set for @option{luma_radius}.
4727
4728The expressions can contain the following constants:
4729@table @option
4730@item w
4731@item h
4732The input width and height in pixels.
4733
4734@item cw
4735@item ch
4736The input chroma image width and height in pixels.
4737
4738@item hsub
4739@item vsub
4740The horizontal and vertical chroma subsample values. For example, for the
4741pixel format "yuv422p", @var{hsub} is 2 and @var{vsub} is 1.
4742@end table
4743
4744@item luma_power, lp
4745@item chroma_power, cp
4746@item alpha_power, ap
4747Specify how many times the boxblur filter is applied to the
4748corresponding plane.
4749
4750Default value for @option{luma_power} is 2. If not specified,
4751@option{chroma_power} and @option{alpha_power} default to the
4752corresponding value set for @option{luma_power}.
4753
4754A value of 0 will disable the effect.
4755@end table
4756
4757@subsection Examples
4758
4759@itemize
4760@item
4761Apply a boxblur filter with the luma, chroma, and alpha radii
4762set to 2:
4763@example
4764boxblur=luma_radius=2:luma_power=1
4765boxblur=2:1
4766@end example
4767
4768@item
4769Set the luma radius to 2, and alpha and chroma radius to 0:
4770@example
4771boxblur=2:1:cr=0:ar=0
4772@end example
4773
4774@item
4775Set the luma and chroma radii to a fraction of the video dimension:
4776@example
4777boxblur=luma_radius=min(h\,w)/10:luma_power=1:chroma_radius=min(cw\,ch)/10:chroma_power=1
4778@end example
4779@end itemize
4780
4781@section bwdif
4782
4783Deinterlace the input video ("bwdif" stands for "Bob Weaver
4784Deinterlacing Filter").
4785
4786Motion adaptive deinterlacing based on yadif with the use of w3fdif and cubic
4787interpolation algorithms.
4788It accepts the following parameters:
4789
4790@table @option
4791@item mode
4792The interlacing mode to adopt. It accepts one of the following values:
4793
4794@table @option
4795@item 0, send_frame
4796Output one frame for each frame.
4797@item 1, send_field
4798Output one frame for each field.
4799@end table
4800
4801The default value is @code{send_field}.
4802
4803@item parity
4804The picture field parity assumed for the input interlaced video. It accepts one
4805of the following values:
4806
4807@table @option
4808@item 0, tff
4809Assume the top field is first.
4810@item 1, bff
4811Assume the bottom field is first.
4812@item -1, auto
4813Enable automatic detection of field parity.
4814@end table
4815
4816The default value is @code{auto}.
4817If the interlacing is unknown or the decoder does not export this information,
4818top field first will be assumed.
4819
4820@item deint
4821Specify which frames to deinterlace. Accept one of the following
4822values:
4823
4824@table @option
4825@item 0, all
4826Deinterlace all frames.
4827@item 1, interlaced
4828Only deinterlace frames marked as interlaced.
4829@end table
4830
4831The default value is @code{all}.
4832@end table
4833
4834@section chromakey
4835YUV colorspace color/chroma keying.
4836
4837The filter accepts the following options:
4838
4839@table @option
4840@item color
4841The color which will be replaced with transparency.
4842
4843@item similarity
4844Similarity percentage with the key color.
4845
48460.01 matches only the exact key color, while 1.0 matches everything.
4847
4848@item blend
4849Blend percentage.
4850
48510.0 makes pixels either fully transparent, or not transparent at all.
4852
4853Higher values result in semi-transparent pixels, with a higher transparency
4854the more similar the pixels color is to the key color.
4855
4856@item yuv
4857Signals that the color passed is already in YUV instead of RGB.
4858
4859Litteral colors like "green" or "red" don't make sense with this enabled anymore.
4860This can be used to pass exact YUV values as hexadecimal numbers.
4861@end table
4862
4863@subsection Examples
4864
4865@itemize
4866@item
4867Make every green pixel in the input image transparent:
4868@example
4869ffmpeg -i input.png -vf chromakey=green out.png
4870@end example
4871
4872@item
4873Overlay a greenscreen-video on top of a static black background.
4874@example
4875ffmpeg -f lavfi -i color=c=black:s=1280x720 -i video.mp4 -shortest -filter_complex "[1:v]chromakey=0x70de77:0.1:0.2[ckout];[0:v][ckout]overlay[out]" -map "[out]" output.mkv
4876@end example
4877@end itemize
4878
4879@section ciescope
4880
4881Display CIE color diagram with pixels overlaid onto it.
4882
4883The filter accepts the following options:
4884
4885@table @option
4886@item system
4887Set color system.
4888
4889@table @samp
4890@item ntsc, 470m
4891@item ebu, 470bg
4892@item smpte
4893@item 240m
4894@item apple
4895@item widergb
4896@item cie1931
4897@item rec709, hdtv
4898@item uhdtv, rec2020
4899@end table
4900
4901@item cie
4902Set CIE system.
4903
4904@table @samp
4905@item xyy
4906@item ucs
4907@item luv
4908@end table
4909
4910@item gamuts
4911Set what gamuts to draw.
4912
4913See @code{system} option for available values.
4914
4915@item size, s
4916Set ciescope size, by default set to 512.
4917
4918@item intensity, i
4919Set intensity used to map input pixel values to CIE diagram.
4920
4921@item contrast
4922Set contrast used to draw tongue colors that are out of active color system gamut.
4923
4924@item corrgamma
4925Correct gamma displayed on scope, by default enabled.
4926
4927@item showwhite
4928Show white point on CIE diagram, by default disabled.
4929
4930@item gamma
4931Set input gamma. Used only with XYZ input color space.
4932@end table
4933
4934@section codecview
4935
4936Visualize information exported by some codecs.
4937
4938Some codecs can export information through frames using side-data or other
4939means. For example, some MPEG based codecs export motion vectors through the
4940@var{export_mvs} flag in the codec @option{flags2} option.
4941
4942The filter accepts the following option:
4943
4944@table @option
4945@item mv
4946Set motion vectors to visualize.
4947
4948Available flags for @var{mv} are:
4949
4950@table @samp
4951@item pf
4952forward predicted MVs of P-frames
4953@item bf
4954forward predicted MVs of B-frames
4955@item bb
4956backward predicted MVs of B-frames
4957@end table
4958
4959@item qp
4960Display quantization parameters using the chroma planes.
4961
4962@item mv_type, mvt
4963Set motion vectors type to visualize. Includes MVs from all frames unless specified by @var{frame_type} option.
4964
4965Available flags for @var{mv_type} are:
4966
4967@table @samp
4968@item fp
4969forward predicted MVs
4970@item bp
4971backward predicted MVs
4972@end table
4973
4974@item frame_type, ft
4975Set frame type to visualize motion vectors of.
4976
4977Available flags for @var{frame_type} are:
4978
4979@table @samp
4980@item if
4981intra-coded frames (I-frames)
4982@item pf
4983predicted frames (P-frames)
4984@item bf
4985bi-directionally predicted frames (B-frames)
4986@end table
4987@end table
4988
4989@subsection Examples
4990
4991@itemize
4992@item
4993Visualize forward predicted MVs of all frames using @command{ffplay}:
4994@example
4995ffplay -flags2 +export_mvs input.mp4 -vf codecview=mv_type=fp
4996@end example
4997
4998@item
4999Visualize multi-directionals MVs of P and B-Frames using @command{ffplay}:
5000@example
5001ffplay -flags2 +export_mvs input.mp4 -vf codecview=mv=pf+bf+bb
5002@end example
5003@end itemize
5004
5005@section colorbalance
5006Modify intensity of primary colors (red, green and blue) of input frames.
5007
5008The filter allows an input frame to be adjusted in the shadows, midtones or highlights
5009regions for the red-cyan, green-magenta or blue-yellow balance.
5010
5011A positive adjustment value shifts the balance towards the primary color, a negative
5012value towards the complementary color.
5013
5014The filter accepts the following options:
5015
5016@table @option
5017@item rs
5018@item gs
5019@item bs
5020Adjust red, green and blue shadows (darkest pixels).
5021
5022@item rm
5023@item gm
5024@item bm
5025Adjust red, green and blue midtones (medium pixels).
5026
5027@item rh
5028@item gh
5029@item bh
5030Adjust red, green and blue highlights (brightest pixels).
5031
5032Allowed ranges for options are @code{[-1.0, 1.0]}. Defaults are @code{0}.
5033@end table
5034
5035@subsection Examples
5036
5037@itemize
5038@item
5039Add red color cast to shadows:
5040@example
5041colorbalance=rs=.3
5042@end example
5043@end itemize
5044
5045@section colorkey
5046RGB colorspace color keying.
5047
5048The filter accepts the following options:
5049
5050@table @option
5051@item color
5052The color which will be replaced with transparency.
5053
5054@item similarity
5055Similarity percentage with the key color.
5056
50570.01 matches only the exact key color, while 1.0 matches everything.
5058
5059@item blend
5060Blend percentage.
5061
50620.0 makes pixels either fully transparent, or not transparent at all.
5063
5064Higher values result in semi-transparent pixels, with a higher transparency
5065the more similar the pixels color is to the key color.
5066@end table
5067
5068@subsection Examples
5069
5070@itemize
5071@item
5072Make every green pixel in the input image transparent:
5073@example
5074ffmpeg -i input.png -vf colorkey=green out.png
5075@end example
5076
5077@item
5078Overlay a greenscreen-video on top of a static background image.
5079@example
5080ffmpeg -i background.png -i video.mp4 -filter_complex "[1:v]colorkey=0x3BBD1E:0.3:0.2[ckout];[0:v][ckout]overlay[out]" -map "[out]" output.flv
5081@end example
5082@end itemize
5083
5084@section colorlevels
5085
5086Adjust video input frames using levels.
5087
5088The filter accepts the following options:
5089
5090@table @option
5091@item rimin
5092@item gimin
5093@item bimin
5094@item aimin
5095Adjust red, green, blue and alpha input black point.
5096Allowed ranges for options are @code{[-1.0, 1.0]}. Defaults are @code{0}.
5097
5098@item rimax
5099@item gimax
5100@item bimax
5101@item aimax
5102Adjust red, green, blue and alpha input white point.
5103Allowed ranges for options are @code{[-1.0, 1.0]}. Defaults are @code{1}.
5104
5105Input levels are used to lighten highlights (bright tones), darken shadows
5106(dark tones), change the balance of bright and dark tones.
5107
5108@item romin
5109@item gomin
5110@item bomin
5111@item aomin
5112Adjust red, green, blue and alpha output black point.
5113Allowed ranges for options are @code{[0, 1.0]}. Defaults are @code{0}.
5114
5115@item romax
5116@item gomax
5117@item bomax
5118@item aomax
5119Adjust red, green, blue and alpha output white point.
5120Allowed ranges for options are @code{[0, 1.0]}. Defaults are @code{1}.
5121
5122Output levels allows manual selection of a constrained output level range.
5123@end table
5124
5125@subsection Examples
5126
5127@itemize
5128@item
5129Make video output darker:
5130@example
5131colorlevels=rimin=0.058:gimin=0.058:bimin=0.058
5132@end example
5133
5134@item
5135Increase contrast:
5136@example
5137colorlevels=rimin=0.039:gimin=0.039:bimin=0.039:rimax=0.96:gimax=0.96:bimax=0.96
5138@end example
5139
5140@item
5141Make video output lighter:
5142@example
5143colorlevels=rimax=0.902:gimax=0.902:bimax=0.902
5144@end example
5145
5146@item
5147Increase brightness:
5148@example
5149colorlevels=romin=0.5:gomin=0.5:bomin=0.5
5150@end example
5151@end itemize
5152
5153@section colorchannelmixer
5154
5155Adjust video input frames by re-mixing color channels.
5156
5157This filter modifies a color channel by adding the values associated to
5158the other channels of the same pixels. For example if the value to
5159modify is red, the output value will be:
5160@example
5161@var{red}=@var{red}*@var{rr} + @var{blue}*@var{rb} + @var{green}*@var{rg} + @var{alpha}*@var{ra}
5162@end example
5163
5164The filter accepts the following options:
5165
5166@table @option
5167@item rr
5168@item rg
5169@item rb
5170@item ra
5171Adjust contribution of input red, green, blue and alpha channels for output red channel.
5172Default is @code{1} for @var{rr}, and @code{0} for @var{rg}, @var{rb} and @var{ra}.
5173
5174@item gr
5175@item gg
5176@item gb
5177@item ga
5178Adjust contribution of input red, green, blue and alpha channels for output green channel.
5179Default is @code{1} for @var{gg}, and @code{0} for @var{gr}, @var{gb} and @var{ga}.
5180
5181@item br
5182@item bg
5183@item bb
5184@item ba
5185Adjust contribution of input red, green, blue and alpha channels for output blue channel.
5186Default is @code{1} for @var{bb}, and @code{0} for @var{br}, @var{bg} and @var{ba}.
5187
5188@item ar
5189@item ag
5190@item ab
5191@item aa
5192Adjust contribution of input red, green, blue and alpha channels for output alpha channel.
5193Default is @code{1} for @var{aa}, and @code{0} for @var{ar}, @var{ag} and @var{ab}.
5194
5195Allowed ranges for options are @code{[-2.0, 2.0]}.
5196@end table
5197
5198@subsection Examples
5199
5200@itemize
5201@item
5202Convert source to grayscale:
5203@example
5204colorchannelmixer=.3:.4:.3:0:.3:.4:.3:0:.3:.4:.3
5205@end example
5206@item
5207Simulate sepia tones:
5208@example
5209colorchannelmixer=.393:.769:.189:0:.349:.686:.168:0:.272:.534:.131
5210@end example
5211@end itemize
5212
5213@section colormatrix
5214
5215Convert color matrix.
5216
5217The filter accepts the following options:
5218
5219@table @option
5220@item src
5221@item dst
5222Specify the source and destination color matrix. Both values must be
5223specified.
5224
5225The accepted values are:
5226@table @samp
5227@item bt709
5228BT.709
5229
5230@item fcc
5231FCC
5232
5233@item bt601
5234BT.601
5235
5236@item bt470
5237BT.470
5238
5239@item bt470bg
5240BT.470BG
5241
5242@item smpte170m
5243SMPTE-170M
5244
5245@item smpte240m
5246SMPTE-240M
5247
5248@item bt2020
5249BT.2020
5250@end table
5251@end table
5252
5253For example to convert from BT.601 to SMPTE-240M, use the command:
5254@example
5255colormatrix=bt601:smpte240m
5256@end example
5257
5258@section colorspace
5259
5260Convert colorspace, transfer characteristics or color primaries.
5261Input video needs to have an even size.
5262
5263The filter accepts the following options:
5264
5265@table @option
5266@anchor{all}
5267@item all
5268Specify all color properties at once.
5269
5270The accepted values are:
5271@table @samp
5272@item bt470m
5273BT.470M
5274
5275@item bt470bg
5276BT.470BG
5277
5278@item bt601-6-525
5279BT.601-6 525
5280
5281@item bt601-6-625
5282BT.601-6 625
5283
5284@item bt709
5285BT.709
5286
5287@item smpte170m
5288SMPTE-170M
5289
5290@item smpte240m
5291SMPTE-240M
5292
5293@item bt2020
5294BT.2020
5295
5296@end table
5297
5298@anchor{space}
5299@item space
5300Specify output colorspace.
5301
5302The accepted values are:
5303@table @samp
5304@item bt709
5305BT.709
5306
5307@item fcc
5308FCC
5309
5310@item bt470bg
5311BT.470BG or BT.601-6 625
5312
5313@item smpte170m
5314SMPTE-170M or BT.601-6 525
5315
5316@item smpte240m
5317SMPTE-240M
5318
5319@item ycgco
5320YCgCo
5321
5322@item bt2020ncl
5323BT.2020 with non-constant luminance
5324
5325@end table
5326
5327@anchor{trc}
5328@item trc
5329Specify output transfer characteristics.
5330
5331The accepted values are:
5332@table @samp
5333@item bt709
5334BT.709
5335
5336@item bt470m
5337BT.470M
5338
5339@item bt470bg
5340BT.470BG
5341
5342@item gamma22
5343Constant gamma of 2.2
5344
5345@item gamma28
5346Constant gamma of 2.8
5347
5348@item smpte170m
5349SMPTE-170M, BT.601-6 625 or BT.601-6 525
5350
5351@item smpte240m
5352SMPTE-240M
5353
5354@item srgb
5355SRGB
5356
5357@item iec61966-2-1
5358iec61966-2-1
5359
5360@item iec61966-2-4
5361iec61966-2-4
5362
5363@item xvycc
5364xvycc
5365
5366@item bt2020-10
5367BT.2020 for 10-bits content
5368
5369@item bt2020-12
5370BT.2020 for 12-bits content
5371
5372@end table
5373
5374@anchor{primaries}
5375@item primaries
5376Specify output color primaries.
5377
5378The accepted values are:
5379@table @samp
5380@item bt709
5381BT.709
5382
5383@item bt470m
5384BT.470M
5385
5386@item bt470bg
5387BT.470BG or BT.601-6 625
5388
5389@item smpte170m
5390SMPTE-170M or BT.601-6 525
5391
5392@item smpte240m
5393SMPTE-240M
5394
5395@item film
5396film
5397
5398@item smpte431
5399SMPTE-431
5400
5401@item smpte432
5402SMPTE-432
5403
5404@item bt2020
5405BT.2020
5406
5407@end table
5408
5409@anchor{range}
5410@item range
5411Specify output color range.
5412
5413The accepted values are:
5414@table @samp
5415@item tv
5416TV (restricted) range
5417
5418@item mpeg
5419MPEG (restricted) range
5420
5421@item pc
5422PC (full) range
5423
5424@item jpeg
5425JPEG (full) range
5426
5427@end table
5428
5429@item format
5430Specify output color format.
5431
5432The accepted values are:
5433@table @samp
5434@item yuv420p
5435YUV 4:2:0 planar 8-bits
5436
5437@item yuv420p10
5438YUV 4:2:0 planar 10-bits
5439
5440@item yuv420p12
5441YUV 4:2:0 planar 12-bits
5442
5443@item yuv422p
5444YUV 4:2:2 planar 8-bits
5445
5446@item yuv422p10
5447YUV 4:2:2 planar 10-bits
5448
5449@item yuv422p12
5450YUV 4:2:2 planar 12-bits
5451
5452@item yuv444p
5453YUV 4:4:4 planar 8-bits
5454
5455@item yuv444p10
5456YUV 4:4:4 planar 10-bits
5457
5458@item yuv444p12
5459YUV 4:4:4 planar 12-bits
5460
5461@end table
5462
5463@item fast
5464Do a fast conversion, which skips gamma/primary correction. This will take
5465significantly less CPU, but will be mathematically incorrect. To get output
5466compatible with that produced by the colormatrix filter, use fast=1.
5467
5468@item dither
5469Specify dithering mode.
5470
5471The accepted values are:
5472@table @samp
5473@item none
5474No dithering
5475
5476@item fsb
5477Floyd-Steinberg dithering
5478@end table
5479
5480@item wpadapt
5481Whitepoint adaptation mode.
5482
5483The accepted values are:
5484@table @samp
5485@item bradford
5486Bradford whitepoint adaptation
5487
5488@item vonkries
5489von Kries whitepoint adaptation
5490
5491@item identity
5492identity whitepoint adaptation (i.e. no whitepoint adaptation)
5493@end table
5494
5495@item iall
5496Override all input properties at once. Same accepted values as @ref{all}.
5497
5498@item ispace
5499Override input colorspace. Same accepted values as @ref{space}.
5500
5501@item iprimaries
5502Override input color primaries. Same accepted values as @ref{primaries}.
5503
5504@item itrc
5505Override input transfer characteristics. Same accepted values as @ref{trc}.
5506
5507@item irange
5508Override input color range. Same accepted values as @ref{range}.
5509
5510@end table
5511
5512The filter converts the transfer characteristics, color space and color
5513primaries to the specified user values. The output value, if not specified,
5514is set to a default value based on the "all" property. If that property is
5515also not specified, the filter will log an error. The output color range and
5516format default to the same value as the input color range and format. The
5517input transfer characteristics, color space, color primaries and color range
5518should be set on the input data. If any of these are missing, the filter will
5519log an error and no conversion will take place.
5520
5521For example to convert the input to SMPTE-240M, use the command:
5522@example
5523colorspace=smpte240m
5524@end example
5525
5526@section convolution
5527
5528Apply convolution 3x3 or 5x5 filter.
5529
5530The filter accepts the following options:
5531
5532@table @option
5533@item 0m
5534@item 1m
5535@item 2m
5536@item 3m
5537Set matrix for each plane.
5538Matrix is sequence of 9 or 25 signed integers.
5539
5540@item 0rdiv
5541@item 1rdiv
5542@item 2rdiv
5543@item 3rdiv
5544Set multiplier for calculated value for each plane.
5545
5546@item 0bias
5547@item 1bias
5548@item 2bias
5549@item 3bias
5550Set bias for each plane. This value is added to the result of the multiplication.
5551Useful for making the overall image brighter or darker. Default is 0.0.
5552@end table
5553
5554@subsection Examples
5555
5556@itemize
5557@item
5558Apply sharpen:
5559@example
5560convolution="0 -1 0 -1 5 -1 0 -1 0:0 -1 0 -1 5 -1 0 -1 0:0 -1 0 -1 5 -1 0 -1 0:0 -1 0 -1 5 -1 0 -1 0"
5561@end example
5562
5563@item
5564Apply blur:
5565@example
5566convolution="1 1 1 1 1 1 1 1 1:1 1 1 1 1 1 1 1 1:1 1 1 1 1 1 1 1 1:1 1 1 1 1 1 1 1 1:1/9:1/9:1/9:1/9"
5567@end example
5568
5569@item
5570Apply edge enhance:
5571@example
5572convolution="0 0 0 -1 1 0 0 0 0:0 0 0 -1 1 0 0 0 0:0 0 0 -1 1 0 0 0 0:0 0 0 -1 1 0 0 0 0:5:1:1:1:0:128:128:128"
5573@end example
5574
5575@item
5576Apply edge detect:
5577@example
5578convolution="0 1 0 1 -4 1 0 1 0:0 1 0 1 -4 1 0 1 0:0 1 0 1 -4 1 0 1 0:0 1 0 1 -4 1 0 1 0:5:5:5:1:0:128:128:128"
5579@end example
5580
5581@item
5582Apply emboss:
5583@example
5584convolution="-2 -1 0 -1 1 1 0 1 2:-2 -1 0 -1 1 1 0 1 2:-2 -1 0 -1 1 1 0 1 2:-2 -1 0 -1 1 1 0 1 2"
5585@end example
5586@end itemize
5587
5588@section copy
5589
5590Copy the input source unchanged to the output. This is mainly useful for
5591testing purposes.
5592
5593@anchor{coreimage}
5594@section coreimage
5595Video filtering on GPU using Apple's CoreImage API on OSX.
5596
5597Hardware acceleration is based on an OpenGL context. Usually, this means it is
5598processed by video hardware. However, software-based OpenGL implementations
5599exist which means there is no guarantee for hardware processing. It depends on
5600the respective OSX.
5601
5602There are many filters and image generators provided by Apple that come with a
5603large variety of options. The filter has to be referenced by its name along
5604with its options.
5605
5606The coreimage filter accepts the following options:
5607@table @option
5608@item list_filters
5609List all available filters and generators along with all their respective
5610options as well as possible minimum and maximum values along with the default
5611values.
5612@example
5613list_filters=true
5614@end example
5615
5616@item filter
5617Specify all filters by their respective name and options.
5618Use @var{list_filters} to determine all valid filter names and options.
5619Numerical options are specified by a float value and are automatically clamped
5620to their respective value range. Vector and color options have to be specified
5621by a list of space separated float values. Character escaping has to be done.
5622A special option name @code{default} is available to use default options for a
5623filter.
5624
5625It is required to specify either @code{default} or at least one of the filter options.
5626All omitted options are used with their default values.
5627The syntax of the filter string is as follows:
5628@example
5629filter=<NAME>@@<OPTION>=<VALUE>[@@<OPTION>=<VALUE>][@@...][#<NAME>@@<OPTION>=<VALUE>[@@<OPTION>=<VALUE>][@@...]][#...]
5630@end example
5631
5632@item output_rect
5633Specify a rectangle where the output of the filter chain is copied into the
5634input image. It is given by a list of space separated float values:
5635@example
5636output_rect=x\ y\ width\ height
5637@end example
5638If not given, the output rectangle equals the dimensions of the input image.
5639The output rectangle is automatically cropped at the borders of the input
5640image. Negative values are valid for each component.
5641@example
5642output_rect=25\ 25\ 100\ 100
5643@end example
5644@end table
5645
5646Several filters can be chained for successive processing without GPU-HOST
5647transfers allowing for fast processing of complex filter chains.
5648Currently, only filters with zero (generators) or exactly one (filters) input
5649image and one output image are supported. Also, transition filters are not yet
5650usable as intended.
5651
5652Some filters generate output images with additional padding depending on the
5653respective filter kernel. The padding is automatically removed to ensure the
5654filter output has the same size as the input image.
5655
5656For image generators, the size of the output image is determined by the
5657previous output image of the filter chain or the input image of the whole
5658filterchain, respectively. The generators do not use the pixel information of
5659this image to generate their output. However, the generated output is
5660blended onto this image, resulting in partial or complete coverage of the
5661output image.
5662
5663The @ref{coreimagesrc} video source can be used for generating input images
5664which are directly fed into the filter chain. By using it, providing input
5665images by another video source or an input video is not required.
5666
5667@subsection Examples
5668
5669@itemize
5670
5671@item
5672List all filters available:
5673@example
5674coreimage=list_filters=true
5675@end example
5676
5677@item
5678Use the CIBoxBlur filter with default options to blur an image:
5679@example
5680coreimage=filter=CIBoxBlur@@default
5681@end example
5682
5683@item
5684Use a filter chain with CISepiaTone at default values and CIVignetteEffect with
5685its center at 100x100 and a radius of 50 pixels:
5686@example
5687coreimage=filter=CIBoxBlur@@default#CIVignetteEffect@@inputCenter=100\ 100@@inputRadius=50
5688@end example
5689
5690@item
5691Use nullsrc and CIQRCodeGenerator to create a QR code for the FFmpeg homepage,
5692given as complete and escaped command-line for Apple's standard bash shell:
5693@example
5694ffmpeg -f lavfi -i nullsrc=s=100x100,coreimage=filter=CIQRCodeGenerator@@inputMessage=https\\\\\://FFmpeg.org/@@inputCorrectionLevel=H -frames:v 1 QRCode.png
5695@end example
5696@end itemize
5697
5698@section crop
5699
5700Crop the input video to given dimensions.
5701
5702It accepts the following parameters:
5703
5704@table @option
5705@item w, out_w
5706The width of the output video. It defaults to @code{iw}.
5707This expression is evaluated only once during the filter
5708configuration, or when the @samp{w} or @samp{out_w} command is sent.
5709
5710@item h, out_h
5711The height of the output video. It defaults to @code{ih}.
5712This expression is evaluated only once during the filter
5713configuration, or when the @samp{h} or @samp{out_h} command is sent.
5714
5715@item x
5716The horizontal position, in the input video, of the left edge of the output
5717video. It defaults to @code{(in_w-out_w)/2}.
5718This expression is evaluated per-frame.
5719
5720@item y
5721The vertical position, in the input video, of the top edge of the output video.
5722It defaults to @code{(in_h-out_h)/2}.
5723This expression is evaluated per-frame.
5724
5725@item keep_aspect
5726If set to 1 will force the output display aspect ratio
5727to be the same of the input, by changing the output sample aspect
5728ratio. It defaults to 0.
5729
5730@item exact
5731Enable exact cropping. If enabled, subsampled videos will be cropped at exact
5732width/height/x/y as specified and will not be rounded to nearest smaller value.
5733It defaults to 0.
5734@end table
5735
5736The @var{out_w}, @var{out_h}, @var{x}, @var{y} parameters are
5737expressions containing the following constants:
5738
5739@table @option
5740@item x
5741@item y
5742The computed values for @var{x} and @var{y}. They are evaluated for
5743each new frame.
5744
5745@item in_w
5746@item in_h
5747The input width and height.
5748
5749@item iw
5750@item ih
5751These are the same as @var{in_w} and @var{in_h}.
5752
5753@item out_w
5754@item out_h
5755The output (cropped) width and height.
5756
5757@item ow
5758@item oh
5759These are the same as @var{out_w} and @var{out_h}.
5760
5761@item a
5762same as @var{iw} / @var{ih}
5763
5764@item sar
5765input sample aspect ratio
5766
5767@item dar
5768input display aspect ratio, it is the same as (@var{iw} / @var{ih}) * @var{sar}
5769
5770@item hsub
5771@item vsub
5772horizontal and vertical chroma subsample values. For example for the
5773pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
5774
5775@item n
5776The number of the input frame, starting from 0.
5777
5778@item pos
5779the position in the file of the input frame, NAN if unknown
5780
5781@item t
5782The timestamp expressed in seconds. It's NAN if the input timestamp is unknown.
5783
5784@end table
5785
5786The expression for @var{out_w} may depend on the value of @var{out_h},
5787and the expression for @var{out_h} may depend on @var{out_w}, but they
5788cannot depend on @var{x} and @var{y}, as @var{x} and @var{y} are
5789evaluated after @var{out_w} and @var{out_h}.
5790
5791The @var{x} and @var{y} parameters specify the expressions for the
5792position of the top-left corner of the output (non-cropped) area. They
5793are evaluated for each frame. If the evaluated value is not valid, it
5794is approximated to the nearest valid value.
5795
5796The expression for @var{x} may depend on @var{y}, and the expression
5797for @var{y} may depend on @var{x}.
5798
5799@subsection Examples
5800
5801@itemize
5802@item
5803Crop area with size 100x100 at position (12,34).
5804@example
5805crop=100:100:12:34
5806@end example
5807
5808Using named options, the example above becomes:
5809@example
5810crop=w=100:h=100:x=12:y=34
5811@end example
5812
5813@item
5814Crop the central input area with size 100x100:
5815@example
5816crop=100:100
5817@end example
5818
5819@item
5820Crop the central input area with size 2/3 of the input video:
5821@example
5822crop=2/3*in_w:2/3*in_h
5823@end example
5824
5825@item
5826Crop the input video central square:
5827@example
5828crop=out_w=in_h
5829crop=in_h
5830@end example
5831
5832@item
5833Delimit the rectangle with the top-left corner placed at position
5834100:100 and the right-bottom corner corresponding to the right-bottom
5835corner of the input image.
5836@example
5837crop=in_w-100:in_h-100:100:100
5838@end example
5839
5840@item
5841Crop 10 pixels from the left and right borders, and 20 pixels from
5842the top and bottom borders
5843@example
5844crop=in_w-2*10:in_h-2*20
5845@end example
5846
5847@item
5848Keep only the bottom right quarter of the input image:
5849@example
5850crop=in_w/2:in_h/2:in_w/2:in_h/2
5851@end example
5852
5853@item
5854Crop height for getting Greek harmony:
5855@example
5856crop=in_w:1/PHI*in_w
5857@end example
5858
5859@item
5860Apply trembling effect:
5861@example
5862crop=in_w/2:in_h/2:(in_w-out_w)/2+((in_w-out_w)/2)*sin(n/10):(in_h-out_h)/2 +((in_h-out_h)/2)*sin(n/7)
5863@end example
5864
5865@item
5866Apply erratic camera effect depending on timestamp:
5867@example
5868crop=in_w/2:in_h/2:(in_w-out_w)/2+((in_w-out_w)/2)*sin(t*10):(in_h-out_h)/2 +((in_h-out_h)/2)*sin(t*13)"
5869@end example
5870
5871@item
5872Set x depending on the value of y:
5873@example
5874crop=in_w/2:in_h/2:y:10+10*sin(n/10)
5875@end example
5876@end itemize
5877
5878@subsection Commands
5879
5880This filter supports the following commands:
5881@table @option
5882@item w, out_w
5883@item h, out_h
5884@item x
5885@item y
5886Set width/height of the output video and the horizontal/vertical position
5887in the input video.
5888The command accepts the same syntax of the corresponding option.
5889
5890If the specified expression is not valid, it is kept at its current
5891value.
5892@end table
5893
5894@section cropdetect
5895
5896Auto-detect the crop size.
5897
5898It calculates the necessary cropping parameters and prints the
5899recommended parameters via the logging system. The detected dimensions
5900correspond to the non-black area of the input video.
5901
5902It accepts the following parameters:
5903
5904@table @option
5905
5906@item limit
5907Set higher black value threshold, which can be optionally specified
5908from nothing (0) to everything (255 for 8-bit based formats). An intensity
5909value greater to the set value is considered non-black. It defaults to 24.
5910You can also specify a value between 0.0 and 1.0 which will be scaled depending
5911on the bitdepth of the pixel format.
5912
5913@item round
5914The value which the width/height should be divisible by. It defaults to
591516. The offset is automatically adjusted to center the video. Use 2 to
5916get only even dimensions (needed for 4:2:2 video). 16 is best when
5917encoding to most video codecs.
5918
5919@item reset_count, reset
5920Set the counter that determines after how many frames cropdetect will
5921reset the previously detected largest video area and start over to
5922detect the current optimal crop area. Default value is 0.
5923
5924This can be useful when channel logos distort the video area. 0
5925indicates 'never reset', and returns the largest area encountered during
5926playback.
5927@end table
5928
5929@anchor{curves}
5930@section curves
5931
5932Apply color adjustments using curves.
5933
5934This filter is similar to the Adobe Photoshop and GIMP curves tools. Each
5935component (red, green and blue) has its values defined by @var{N} key points
5936tied from each other using a smooth curve. The x-axis represents the pixel
5937values from the input frame, and the y-axis the new pixel values to be set for
5938the output frame.
5939
5940By default, a component curve is defined by the two points @var{(0;0)} and
5941@var{(1;1)}. This creates a straight line where each original pixel value is
5942"adjusted" to its own value, which means no change to the image.
5943
5944The filter allows you to redefine these two points and add some more. A new
5945curve (using a natural cubic spline interpolation) will be define to pass
5946smoothly through all these new coordinates. The new defined points needs to be
5947strictly increasing over the x-axis, and their @var{x} and @var{y} values must
5948be in the @var{[0;1]} interval. If the computed curves happened to go outside
5949the vector spaces, the values will be clipped accordingly.
5950
5951The filter accepts the following options:
5952
5953@table @option
5954@item preset
5955Select one of the available color presets. This option can be used in addition
5956to the @option{r}, @option{g}, @option{b} parameters; in this case, the later
5957options takes priority on the preset values.
5958Available presets are:
5959@table @samp
5960@item none
5961@item color_negative
5962@item cross_process
5963@item darker
5964@item increase_contrast
5965@item lighter
5966@item linear_contrast
5967@item medium_contrast
5968@item negative
5969@item strong_contrast
5970@item vintage
5971@end table
5972Default is @code{none}.
5973@item master, m
5974Set the master key points. These points will define a second pass mapping. It
5975is sometimes called a "luminance" or "value" mapping. It can be used with
5976@option{r}, @option{g}, @option{b} or @option{all} since it acts like a
5977post-processing LUT.
5978@item red, r
5979Set the key points for the red component.
5980@item green, g
5981Set the key points for the green component.
5982@item blue, b
5983Set the key points for the blue component.
5984@item all
5985Set the key points for all components (not including master).
5986Can be used in addition to the other key points component
5987options. In this case, the unset component(s) will fallback on this
5988@option{all} setting.
5989@item psfile
5990Specify a Photoshop curves file (@code{.acv}) to import the settings from.
5991@item plot
5992Save Gnuplot script of the curves in specified file.
5993@end table
5994
5995To avoid some filtergraph syntax conflicts, each key points list need to be
5996defined using the following syntax: @code{x0/y0 x1/y1 x2/y2 ...}.
5997
5998@subsection Examples
5999
6000@itemize
6001@item
6002Increase slightly the middle level of blue:
6003@example
6004curves=blue='0/0 0.5/0.58 1/1'
6005@end example
6006
6007@item
6008Vintage effect:
6009@example
6010curves=r='0/0.11 .42/.51 1/0.95':g='0/0 0.50/0.48 1/1':b='0/0.22 .49/.44 1/0.8'
6011@end example
6012Here we obtain the following coordinates for each components:
6013@table @var
6014@item red
6015@code{(0;0.11) (0.42;0.51) (1;0.95)}
6016@item green
6017@code{(0;0) (0.50;0.48) (1;1)}
6018@item blue
6019@code{(0;0.22) (0.49;0.44) (1;0.80)}
6020@end table
6021
6022@item
6023The previous example can also be achieved with the associated built-in preset:
6024@example
6025curves=preset=vintage
6026@end example
6027
6028@item
6029Or simply:
6030@example
6031curves=vintage
6032@end example
6033
6034@item
6035Use a Photoshop preset and redefine the points of the green component:
6036@example
6037curves=psfile='MyCurvesPresets/purple.acv':green='0/0 0.45/0.53 1/1'
6038@end example
6039
6040@item
6041Check out the curves of the @code{cross_process} profile using @command{ffmpeg}
6042and @command{gnuplot}:
6043@example
6044ffmpeg -f lavfi -i color -vf curves=cross_process:plot=/tmp/curves.plt -frames:v 1 -f null -
6045gnuplot -p /tmp/curves.plt
6046@end example
6047@end itemize
6048
6049@section datascope
6050
6051Video data analysis filter.
6052
6053This filter shows hexadecimal pixel values of part of video.
6054
6055The filter accepts the following options:
6056
6057@table @option
6058@item size, s
6059Set output video size.
6060
6061@item x
6062Set x offset from where to pick pixels.
6063
6064@item y
6065Set y offset from where to pick pixels.
6066
6067@item mode
6068Set scope mode, can be one of the following:
6069@table @samp
6070@item mono
6071Draw hexadecimal pixel values with white color on black background.
6072
6073@item color
6074Draw hexadecimal pixel values with input video pixel color on black
6075background.
6076
6077@item color2
6078Draw hexadecimal pixel values on color background picked from input video,
6079the text color is picked in such way so its always visible.
6080@end table
6081
6082@item axis
6083Draw rows and columns numbers on left and top of video.
6084
6085@item opacity
6086Set background opacity.
6087@end table
6088
6089@section dctdnoiz
6090
6091Denoise frames using 2D DCT (frequency domain filtering).
6092
6093This filter is not designed for real time.
6094
6095The filter accepts the following options:
6096
6097@table @option
6098@item sigma, s
6099Set the noise sigma constant.
6100
6101This @var{sigma} defines a hard threshold of @code{3 * sigma}; every DCT
6102coefficient (absolute value) below this threshold with be dropped.
6103
6104If you need a more advanced filtering, see @option{expr}.
6105
6106Default is @code{0}.
6107
6108@item overlap
6109Set number overlapping pixels for each block. Since the filter can be slow, you
6110may want to reduce this value, at the cost of a less effective filter and the
6111risk of various artefacts.
6112
6113If the overlapping value doesn't permit processing the whole input width or
6114height, a warning will be displayed and according borders won't be denoised.
6115
6116Default value is @var{blocksize}-1, which is the best possible setting.
6117
6118@item expr, e
6119Set the coefficient factor expression.
6120
6121For each coefficient of a DCT block, this expression will be evaluated as a
6122multiplier value for the coefficient.
6123
6124If this is option is set, the @option{sigma} option will be ignored.
6125
6126The absolute value of the coefficient can be accessed through the @var{c}
6127variable.
6128
6129@item n
6130Set the @var{blocksize} using the number of bits. @code{1<<@var{n}} defines the
6131@var{blocksize}, which is the width and height of the processed blocks.
6132
6133The default value is @var{3} (8x8) and can be raised to @var{4} for a
6134@var{blocksize} of 16x16. Note that changing this setting has huge consequences
6135on the speed processing. Also, a larger block size does not necessarily means a
6136better de-noising.
6137@end table
6138
6139@subsection Examples
6140
6141Apply a denoise with a @option{sigma} of @code{4.5}:
6142@example
6143dctdnoiz=4.5
6144@end example
6145
6146The same operation can be achieved using the expression system:
6147@example
6148dctdnoiz=e='gte(c, 4.5*3)'
6149@end example
6150
6151Violent denoise using a block size of @code{16x16}:
6152@example
6153dctdnoiz=15:n=4
6154@end example
6155
6156@section deband
6157
6158Remove banding artifacts from input video.
6159It works by replacing banded pixels with average value of referenced pixels.
6160
6161The filter accepts the following options:
6162
6163@table @option
6164@item 1thr
6165@item 2thr
6166@item 3thr
6167@item 4thr
6168Set banding detection threshold for each plane. Default is 0.02.
6169Valid range is 0.00003 to 0.5.
6170If difference between current pixel and reference pixel is less than threshold,
6171it will be considered as banded.
6172
6173@item range, r
6174Banding detection range in pixels. Default is 16. If positive, random number
6175in range 0 to set value will be used. If negative, exact absolute value
6176will be used.
6177The range defines square of four pixels around current pixel.
6178
6179@item direction, d
6180Set direction in radians from which four pixel will be compared. If positive,
6181random direction from 0 to set direction will be picked. If negative, exact of
6182absolute value will be picked. For example direction 0, -PI or -2*PI radians
6183will pick only pixels on same row and -PI/2 will pick only pixels on same
6184column.
6185
6186@item blur, b
6187If enabled, current pixel is compared with average value of all four
6188surrounding pixels. The default is enabled. If disabled current pixel is
6189compared with all four surrounding pixels. The pixel is considered banded
6190if only all four differences with surrounding pixels are less than threshold.
6191
6192@item coupling, c
6193If enabled, current pixel is changed if and only if all pixel components are banded,
6194e.g. banding detection threshold is triggered for all color components.
6195The default is disabled.
6196@end table
6197
6198@anchor{decimate}
6199@section decimate
6200
6201Drop duplicated frames at regular intervals.
6202
6203The filter accepts the following options:
6204
6205@table @option
6206@item cycle
6207Set the number of frames from which one will be dropped. Setting this to
6208@var{N} means one frame in every batch of @var{N} frames will be dropped.
6209Default is @code{5}.
6210
6211@item dupthresh
6212Set the threshold for duplicate detection. If the difference metric for a frame
6213is less than or equal to this value, then it is declared as duplicate. Default
6214is @code{1.1}
6215
6216@item scthresh
6217Set scene change threshold. Default is @code{15}.
6218
6219@item blockx
6220@item blocky
6221Set the size of the x and y-axis blocks used during metric calculations.
6222Larger blocks give better noise suppression, but also give worse detection of
6223small movements. Must be a power of two. Default is @code{32}.
6224
6225@item ppsrc
6226Mark main input as a pre-processed input and activate clean source input
6227stream. This allows the input to be pre-processed with various filters to help
6228the metrics calculation while keeping the frame selection lossless. When set to
6229@code{1}, the first stream is for the pre-processed input, and the second
6230stream is the clean source from where the kept frames are chosen. Default is
6231@code{0}.
6232
6233@item chroma
6234Set whether or not chroma is considered in the metric calculations. Default is
6235@code{1}.
6236@end table
6237
6238@section deflate
6239
6240Apply deflate effect to the video.
6241
6242This filter replaces the pixel by the local(3x3) average by taking into account
6243only values lower than the pixel.
6244
6245It accepts the following options:
6246
6247@table @option
6248@item threshold0
6249@item threshold1
6250@item threshold2
6251@item threshold3
6252Limit the maximum change for each plane, default is 65535.
6253If 0, plane will remain unchanged.
6254@end table
6255
6256@section dejudder
6257
6258Remove judder produced by partially interlaced telecined content.
6259
6260Judder can be introduced, for instance, by @ref{pullup} filter. If the original
6261source was partially telecined content then the output of @code{pullup,dejudder}
6262will have a variable frame rate. May change the recorded frame rate of the
6263container. Aside from that change, this filter will not affect constant frame
6264rate video.
6265
6266The option available in this filter is:
6267@table @option
6268
6269@item cycle
6270Specify the length of the window over which the judder repeats.
6271
6272Accepts any integer greater than 1. Useful values are:
6273@table @samp
6274
6275@item 4
6276If the original was telecined from 24 to 30 fps (Film to NTSC).
6277
6278@item 5
6279If the original was telecined from 25 to 30 fps (PAL to NTSC).
6280
6281@item 20
6282If a mixture of the two.
6283@end table
6284
6285The default is @samp{4}.
6286@end table
6287
6288@section delogo
6289
6290Suppress a TV station logo by a simple interpolation of the surrounding
6291pixels. Just set a rectangle covering the logo and watch it disappear
6292(and sometimes something even uglier appear - your mileage may vary).
6293
6294It accepts the following parameters:
6295@table @option
6296
6297@item x
6298@item y
6299Specify the top left corner coordinates of the logo. They must be
6300specified.
6301
6302@item w
6303@item h
6304Specify the width and height of the logo to clear. They must be
6305specified.
6306
6307@item band, t
6308Specify the thickness of the fuzzy edge of the rectangle (added to
6309@var{w} and @var{h}). The default value is 1. This option is
6310deprecated, setting higher values should no longer be necessary and
6311is not recommended.
6312
6313@item show
6314When set to 1, a green rectangle is drawn on the screen to simplify
6315finding the right @var{x}, @var{y}, @var{w}, and @var{h} parameters.
6316The default value is 0.
6317
6318The rectangle is drawn on the outermost pixels which will be (partly)
6319replaced with interpolated values. The values of the next pixels
6320immediately outside this rectangle in each direction will be used to
6321compute the interpolated pixel values inside the rectangle.
6322
6323@end table
6324
6325@subsection Examples
6326
6327@itemize
6328@item
6329Set a rectangle covering the area with top left corner coordinates 0,0
6330and size 100x77, and a band of size 10:
6331@example
6332delogo=x=0:y=0:w=100:h=77:band=10
6333@end example
6334
6335@end itemize
6336
6337@section deshake
6338
6339Attempt to fix small changes in horizontal and/or vertical shift. This
6340filter helps remove camera shake from hand-holding a camera, bumping a
6341tripod, moving on a vehicle, etc.
6342
6343The filter accepts the following options:
6344
6345@table @option
6346
6347@item x
6348@item y
6349@item w
6350@item h
6351Specify a rectangular area where to limit the search for motion
6352vectors.
6353If desired the search for motion vectors can be limited to a
6354rectangular area of the frame defined by its top left corner, width
6355and height. These parameters have the same meaning as the drawbox
6356filter which can be used to visualise the position of the bounding
6357box.
6358
6359This is useful when simultaneous movement of subjects within the frame
6360might be confused for camera motion by the motion vector search.
6361
6362If any or all of @var{x}, @var{y}, @var{w} and @var{h} are set to -1
6363then the full frame is used. This allows later options to be set
6364without specifying the bounding box for the motion vector search.
6365
6366Default - search the whole frame.
6367
6368@item rx
6369@item ry
6370Specify the maximum extent of movement in x and y directions in the
6371range 0-64 pixels. Default 16.
6372
6373@item edge
6374Specify how to generate pixels to fill blanks at the edge of the
6375frame. Available values are:
6376@table @samp
6377@item blank, 0
6378Fill zeroes at blank locations
6379@item original, 1
6380Original image at blank locations
6381@item clamp, 2
6382Extruded edge value at blank locations
6383@item mirror, 3
6384Mirrored edge at blank locations
6385@end table
6386Default value is @samp{mirror}.
6387
6388@item blocksize
6389Specify the blocksize to use for motion search. Range 4-128 pixels,
6390default 8.
6391
6392@item contrast
6393Specify the contrast threshold for blocks. Only blocks with more than
6394the specified contrast (difference between darkest and lightest
6395pixels) will be considered. Range 1-255, default 125.
6396
6397@item search
6398Specify the search strategy. Available values are:
6399@table @samp
6400@item exhaustive, 0
6401Set exhaustive search
6402@item less, 1
6403Set less exhaustive search.
6404@end table
6405Default value is @samp{exhaustive}.
6406
6407@item filename
6408If set then a detailed log of the motion search is written to the
6409specified file.
6410
6411@item opencl
6412If set to 1, specify using OpenCL capabilities, only available if
6413FFmpeg was configured with @code{--enable-opencl}. Default value is 0.
6414
6415@end table
6416
6417@section detelecine
6418
6419Apply an exact inverse of the telecine operation. It requires a predefined
6420pattern specified using the pattern option which must be the same as that passed
6421to the telecine filter.
6422
6423This filter accepts the following options:
6424
6425@table @option
6426@item first_field
6427@table @samp
6428@item top, t
6429top field first
6430@item bottom, b
6431bottom field first
6432The default value is @code{top}.
6433@end table
6434
6435@item pattern
6436A string of numbers representing the pulldown pattern you wish to apply.
6437The default value is @code{23}.
6438
6439@item start_frame
6440A number representing position of the first frame with respect to the telecine
6441pattern. This is to be used if the stream is cut. The default value is @code{0}.
6442@end table
6443
6444@section dilation
6445
6446Apply dilation effect to the video.
6447
6448This filter replaces the pixel by the local(3x3) maximum.
6449
6450It accepts the following options:
6451
6452@table @option
6453@item threshold0
6454@item threshold1
6455@item threshold2
6456@item threshold3
6457Limit the maximum change for each plane, default is 65535.
6458If 0, plane will remain unchanged.
6459
6460@item coordinates
6461Flag which specifies the pixel to refer to. Default is 255 i.e. all eight
6462pixels are used.
6463
6464Flags to local 3x3 coordinates maps like this:
6465
6466 1 2 3
6467 4 5
6468 6 7 8
6469@end table
6470
6471@section displace
6472
6473Displace pixels as indicated by second and third input stream.
6474
6475It takes three input streams and outputs one stream, the first input is the
6476source, and second and third input are displacement maps.
6477
6478The second input specifies how much to displace pixels along the
6479x-axis, while the third input specifies how much to displace pixels
6480along the y-axis.
6481If one of displacement map streams terminates, last frame from that
6482displacement map will be used.
6483
6484Note that once generated, displacements maps can be reused over and over again.
6485
6486A description of the accepted options follows.
6487
6488@table @option
6489@item edge
6490Set displace behavior for pixels that are out of range.
6491
6492Available values are:
6493@table @samp
6494@item blank
6495Missing pixels are replaced by black pixels.
6496
6497@item smear
6498Adjacent pixels will spread out to replace missing pixels.
6499
6500@item wrap
6501Out of range pixels are wrapped so they point to pixels of other side.
6502@end table
6503Default is @samp{smear}.
6504
6505@end table
6506
6507@subsection Examples
6508
6509@itemize
6510@item
6511Add ripple effect to rgb input of video size hd720:
6512@example
6513ffmpeg -i INPUT -f lavfi -i nullsrc=s=hd720,lutrgb=128:128:128 -f lavfi -i nullsrc=s=hd720,geq='r=128+30*sin(2*PI*X/400+T):g=128+30*sin(2*PI*X/400+T):b=128+30*sin(2*PI*X/400+T)' -lavfi '[0][1][2]displace' OUTPUT
6514@end example
6515
6516@item
6517Add wave effect to rgb input of video size hd720:
6518@example
6519ffmpeg -i INPUT -f lavfi -i nullsrc=hd720,geq='r=128+80*(sin(sqrt((X-W/2)*(X-W/2)+(Y-H/2)*(Y-H/2))/220*2*PI+T)):g=128+80*(sin(sqrt((X-W/2)*(X-W/2)+(Y-H/2)*(Y-H/2))/220*2*PI+T)):b=128+80*(sin(sqrt((X-W/2)*(X-W/2)+(Y-H/2)*(Y-H/2))/220*2*PI+T))' -lavfi '[1]split[x][y],[0][x][y]displace' OUTPUT
6520@end example
6521@end itemize
6522
6523@section drawbox
6524
6525Draw a colored box on the input image.
6526
6527It accepts the following parameters:
6528
6529@table @option
6530@item x
6531@item y
6532The expressions which specify the top left corner coordinates of the box. It defaults to 0.
6533
6534@item width, w
6535@item height, h
6536The expressions which specify the width and height of the box; if 0 they are interpreted as
6537the input width and height. It defaults to 0.
6538
6539@item color, c
6540Specify the color of the box to write. For the general syntax of this option,
6541check the "Color" section in the ffmpeg-utils manual. If the special
6542value @code{invert} is used, the box edge color is the same as the
6543video with inverted luma.
6544
6545@item thickness, t
6546The expression which sets the thickness of the box edge. Default value is @code{3}.
6547
6548See below for the list of accepted constants.
6549@end table
6550
6551The parameters for @var{x}, @var{y}, @var{w} and @var{h} and @var{t} are expressions containing the
6552following constants:
6553
6554@table @option
6555@item dar
6556The input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}.
6557
6558@item hsub
6559@item vsub
6560horizontal and vertical chroma subsample values. For example for the
6561pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
6562
6563@item in_h, ih
6564@item in_w, iw
6565The input width and height.
6566
6567@item sar
6568The input sample aspect ratio.
6569
6570@item x
6571@item y
6572The x and y offset coordinates where the box is drawn.
6573
6574@item w
6575@item h
6576The width and height of the drawn box.
6577
6578@item t
6579The thickness of the drawn box.
6580
6581These constants allow the @var{x}, @var{y}, @var{w}, @var{h} and @var{t} expressions to refer to
6582each other, so you may for example specify @code{y=x/dar} or @code{h=w/dar}.
6583
6584@end table
6585
6586@subsection Examples
6587
6588@itemize
6589@item
6590Draw a black box around the edge of the input image:
6591@example
6592drawbox
6593@end example
6594
6595@item
6596Draw a box with color red and an opacity of 50%:
6597@example
6598drawbox=10:20:200:60:red@@0.5
6599@end example
6600
6601The previous example can be specified as:
6602@example
6603drawbox=x=10:y=20:w=200:h=60:color=red@@0.5
6604@end example
6605
6606@item
6607Fill the box with pink color:
6608@example
6609drawbox=x=10:y=10:w=100:h=100:color=pink@@0.5:t=max
6610@end example
6611
6612@item
6613Draw a 2-pixel red 2.40:1 mask:
6614@example
6615drawbox=x=-t:y=0.5*(ih-iw/2.4)-t:w=iw+t*2:h=iw/2.4+t*2:t=2:c=red
6616@end example
6617@end itemize
6618
6619@section drawgrid
6620
6621Draw a grid on the input image.
6622
6623It accepts the following parameters:
6624
6625@table @option
6626@item x
6627@item y
6628The expressions which specify the coordinates of some point of grid intersection (meant to configure offset). Both default to 0.
6629
6630@item width, w
6631@item height, h
6632The expressions which specify the width and height of the grid cell, if 0 they are interpreted as the
6633input width and height, respectively, minus @code{thickness}, so image gets
6634framed. Default to 0.
6635
6636@item color, c
6637Specify the color of the grid. For the general syntax of this option,
6638check the "Color" section in the ffmpeg-utils manual. If the special
6639value @code{invert} is used, the grid color is the same as the
6640video with inverted luma.
6641
6642@item thickness, t
6643The expression which sets the thickness of the grid line. Default value is @code{1}.
6644
6645See below for the list of accepted constants.
6646@end table
6647
6648The parameters for @var{x}, @var{y}, @var{w} and @var{h} and @var{t} are expressions containing the
6649following constants:
6650
6651@table @option
6652@item dar
6653The input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}.
6654
6655@item hsub
6656@item vsub
6657horizontal and vertical chroma subsample values. For example for the
6658pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
6659
6660@item in_h, ih
6661@item in_w, iw
6662The input grid cell width and height.
6663
6664@item sar
6665The input sample aspect ratio.
6666
6667@item x
6668@item y
6669The x and y coordinates of some point of grid intersection (meant to configure offset).
6670
6671@item w
6672@item h
6673The width and height of the drawn cell.
6674
6675@item t
6676The thickness of the drawn cell.
6677
6678These constants allow the @var{x}, @var{y}, @var{w}, @var{h} and @var{t} expressions to refer to
6679each other, so you may for example specify @code{y=x/dar} or @code{h=w/dar}.
6680
6681@end table
6682
6683@subsection Examples
6684
6685@itemize
6686@item
6687Draw a grid with cell 100x100 pixels, thickness 2 pixels, with color red and an opacity of 50%:
6688@example
6689drawgrid=width=100:height=100:thickness=2:color=red@@0.5
6690@end example
6691
6692@item
6693Draw a white 3x3 grid with an opacity of 50%:
6694@example
6695drawgrid=w=iw/3:h=ih/3:t=2:c=white@@0.5
6696@end example
6697@end itemize
6698
6699@anchor{drawtext}
6700@section drawtext
6701
6702Draw a text string or text from a specified file on top of a video, using the
6703libfreetype library.
6704
6705To enable compilation of this filter, you need to configure FFmpeg with
6706@code{--enable-libfreetype}.
6707To enable default font fallback and the @var{font} option you need to
6708configure FFmpeg with @code{--enable-libfontconfig}.
6709To enable the @var{text_shaping} option, you need to configure FFmpeg with
6710@code{--enable-libfribidi}.
6711
6712@subsection Syntax
6713
6714It accepts the following parameters:
6715
6716@table @option
6717
6718@item box
6719Used to draw a box around text using the background color.
6720The value must be either 1 (enable) or 0 (disable).
6721The default value of @var{box} is 0.
6722
6723@item boxborderw
6724Set the width of the border to be drawn around the box using @var{boxcolor}.
6725The default value of @var{boxborderw} is 0.
6726
6727@item boxcolor
6728The color to be used for drawing box around text. For the syntax of this
6729option, check the "Color" section in the ffmpeg-utils manual.
6730
6731The default value of @var{boxcolor} is "white".
6732
6733@item line_spacing
6734Set the line spacing in pixels of the border to be drawn around the box using @var{box}.
6735The default value of @var{line_spacing} is 0.
6736
6737@item borderw
6738Set the width of the border to be drawn around the text using @var{bordercolor}.
6739The default value of @var{borderw} is 0.
6740
6741@item bordercolor
6742Set the color to be used for drawing border around text. For the syntax of this
6743option, check the "Color" section in the ffmpeg-utils manual.
6744
6745The default value of @var{bordercolor} is "black".
6746
6747@item expansion
6748Select how the @var{text} is expanded. Can be either @code{none},
6749@code{strftime} (deprecated) or
6750@code{normal} (default). See the @ref{drawtext_expansion, Text expansion} section
6751below for details.
6752
6753@item basetime
6754Set a start time for the count. Value is in microseconds. Only applied
6755in the deprecated strftime expansion mode. To emulate in normal expansion
6756mode use the @code{pts} function, supplying the start time (in seconds)
6757as the second argument.
6758
6759@item fix_bounds
6760If true, check and fix text coords to avoid clipping.
6761
6762@item fontcolor
6763The color to be used for drawing fonts. For the syntax of this option, check
6764the "Color" section in the ffmpeg-utils manual.
6765
6766The default value of @var{fontcolor} is "black".
6767
6768@item fontcolor_expr
6769String which is expanded the same way as @var{text} to obtain dynamic
6770@var{fontcolor} value. By default this option has empty value and is not
6771processed. When this option is set, it overrides @var{fontcolor} option.
6772
6773@item font
6774The font family to be used for drawing text. By default Sans.
6775
6776@item fontfile
6777The font file to be used for drawing text. The path must be included.
6778This parameter is mandatory if the fontconfig support is disabled.
6779
6780@item alpha
6781Draw the text applying alpha blending. The value can
6782be a number between 0.0 and 1.0.
6783The expression accepts the same variables @var{x, y} as well.
6784The default value is 1.
6785Please see @var{fontcolor_expr}.
6786
6787@item fontsize
6788The font size to be used for drawing text.
6789The default value of @var{fontsize} is 16.
6790
6791@item text_shaping
6792If set to 1, attempt to shape the text (for example, reverse the order of
6793right-to-left text and join Arabic characters) before drawing it.
6794Otherwise, just draw the text exactly as given.
6795By default 1 (if supported).
6796
6797@item ft_load_flags
6798The flags to be used for loading the fonts.
6799
6800The flags map the corresponding flags supported by libfreetype, and are
6801a combination of the following values:
6802@table @var
6803@item default
6804@item no_scale
6805@item no_hinting
6806@item render
6807@item no_bitmap
6808@item vertical_layout
6809@item force_autohint
6810@item crop_bitmap
6811@item pedantic
6812@item ignore_global_advance_width
6813@item no_recurse
6814@item ignore_transform
6815@item monochrome
6816@item linear_design
6817@item no_autohint
6818@end table
6819
6820Default value is "default".
6821
6822For more information consult the documentation for the FT_LOAD_*
6823libfreetype flags.
6824
6825@item shadowcolor
6826The color to be used for drawing a shadow behind the drawn text. For the
6827syntax of this option, check the "Color" section in the ffmpeg-utils manual.
6828
6829The default value of @var{shadowcolor} is "black".
6830
6831@item shadowx
6832@item shadowy
6833The x and y offsets for the text shadow position with respect to the
6834position of the text. They can be either positive or negative
6835values. The default value for both is "0".
6836
6837@item start_number
6838The starting frame number for the n/frame_num variable. The default value
6839is "0".
6840
6841@item tabsize
6842The size in number of spaces to use for rendering the tab.
6843Default value is 4.
6844
6845@item timecode
6846Set the initial timecode representation in "hh:mm:ss[:;.]ff"
6847format. It can be used with or without text parameter. @var{timecode_rate}
6848option must be specified.
6849
6850@item timecode_rate, rate, r
6851Set the timecode frame rate (timecode only).
6852
6853@item tc24hmax
6854If set to 1, the output of the timecode option will wrap around at 24 hours.
6855Default is 0 (disabled).
6856
6857@item text
6858The text string to be drawn. The text must be a sequence of UTF-8
6859encoded characters.
6860This parameter is mandatory if no file is specified with the parameter
6861@var{textfile}.
6862
6863@item textfile
6864A text file containing text to be drawn. The text must be a sequence
6865of UTF-8 encoded characters.
6866
6867This parameter is mandatory if no text string is specified with the
6868parameter @var{text}.
6869
6870If both @var{text} and @var{textfile} are specified, an error is thrown.
6871
6872@item reload
6873If set to 1, the @var{textfile} will be reloaded before each frame.
6874Be sure to update it atomically, or it may be read partially, or even fail.
6875
6876@item x
6877@item y
6878The expressions which specify the offsets where text will be drawn
6879within the video frame. They are relative to the top/left border of the
6880output image.
6881
6882The default value of @var{x} and @var{y} is "0".
6883
6884See below for the list of accepted constants and functions.
6885@end table
6886
6887The parameters for @var{x} and @var{y} are expressions containing the
6888following constants and functions:
6889
6890@table @option
6891@item dar
6892input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}
6893
6894@item hsub
6895@item vsub
6896horizontal and vertical chroma subsample values. For example for the
6897pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
6898
6899@item line_h, lh
6900the height of each text line
6901
6902@item main_h, h, H
6903the input height
6904
6905@item main_w, w, W
6906the input width
6907
6908@item max_glyph_a, ascent
6909the maximum distance from the baseline to the highest/upper grid
6910coordinate used to place a glyph outline point, for all the rendered
6911glyphs.
6912It is a positive value, due to the grid's orientation with the Y axis
6913upwards.
6914
6915@item max_glyph_d, descent
6916the maximum distance from the baseline to the lowest grid coordinate
6917used to place a glyph outline point, for all the rendered glyphs.
6918This is a negative value, due to the grid's orientation, with the Y axis
6919upwards.
6920
6921@item max_glyph_h
6922maximum glyph height, that is the maximum height for all the glyphs
6923contained in the rendered text, it is equivalent to @var{ascent} -
6924@var{descent}.
6925
6926@item max_glyph_w
6927maximum glyph width, that is the maximum width for all the glyphs
6928contained in the rendered text
6929
6930@item n
6931the number of input frame, starting from 0
6932
6933@item rand(min, max)
6934return a random number included between @var{min} and @var{max}
6935
6936@item sar
6937The input sample aspect ratio.
6938
6939@item t
6940timestamp expressed in seconds, NAN if the input timestamp is unknown
6941
6942@item text_h, th
6943the height of the rendered text
6944
6945@item text_w, tw
6946the width of the rendered text
6947
6948@item x
6949@item y
6950the x and y offset coordinates where the text is drawn.
6951
6952These parameters allow the @var{x} and @var{y} expressions to refer
6953each other, so you can for example specify @code{y=x/dar}.
6954@end table
6955
6956@anchor{drawtext_expansion}
6957@subsection Text expansion
6958
6959If @option{expansion} is set to @code{strftime},
6960the filter recognizes strftime() sequences in the provided text and
6961expands them accordingly. Check the documentation of strftime(). This
6962feature is deprecated.
6963
6964If @option{expansion} is set to @code{none}, the text is printed verbatim.
6965
6966If @option{expansion} is set to @code{normal} (which is the default),
6967the following expansion mechanism is used.
6968
6969The backslash character @samp{\}, followed by any character, always expands to
6970the second character.
6971
6972Sequences of the form @code{%@{...@}} are expanded. The text between the
6973braces is a function name, possibly followed by arguments separated by ':'.
6974If the arguments contain special characters or delimiters (':' or '@}'),
6975they should be escaped.
6976
6977Note that they probably must also be escaped as the value for the
6978@option{text} option in the filter argument string and as the filter
6979argument in the filtergraph description, and possibly also for the shell,
6980that makes up to four levels of escaping; using a text file avoids these
6981problems.
6982
6983The following functions are available:
6984
6985@table @command
6986
6987@item expr, e
6988The expression evaluation result.
6989
6990It must take one argument specifying the expression to be evaluated,
6991which accepts the same constants and functions as the @var{x} and
6992@var{y} values. Note that not all constants should be used, for
6993example the text size is not known when evaluating the expression, so
6994the constants @var{text_w} and @var{text_h} will have an undefined
6995value.
6996
6997@item expr_int_format, eif
6998Evaluate the expression's value and output as formatted integer.
6999
7000The first argument is the expression to be evaluated, just as for the @var{expr} function.
7001The second argument specifies the output format. Allowed values are @samp{x},
7002@samp{X}, @samp{d} and @samp{u}. They are treated exactly as in the
7003@code{printf} function.
7004The third parameter is optional and sets the number of positions taken by the output.
7005It can be used to add padding with zeros from the left.
7006
7007@item gmtime
7008The time at which the filter is running, expressed in UTC.
7009It can accept an argument: a strftime() format string.
7010
7011@item localtime
7012The time at which the filter is running, expressed in the local time zone.
7013It can accept an argument: a strftime() format string.
7014
7015@item metadata
7016Frame metadata. Takes one or two arguments.
7017
7018The first argument is mandatory and specifies the metadata key.
7019
7020The second argument is optional and specifies a default value, used when the
7021metadata key is not found or empty.
7022
7023@item n, frame_num
7024The frame number, starting from 0.
7025
7026@item pict_type
7027A 1 character description of the current picture type.
7028
7029@item pts
7030The timestamp of the current frame.
7031It can take up to three arguments.
7032
7033The first argument is the format of the timestamp; it defaults to @code{flt}
7034for seconds as a decimal number with microsecond accuracy; @code{hms} stands
7035for a formatted @var{[-]HH:MM:SS.mmm} timestamp with millisecond accuracy.
7036@code{gmtime} stands for the timestamp of the frame formatted as UTC time;
7037@code{localtime} stands for the timestamp of the frame formatted as
7038local time zone time.
7039
7040The second argument is an offset added to the timestamp.
7041
7042If the format is set to @code{localtime} or @code{gmtime},
7043a third argument may be supplied: a strftime() format string.
7044By default, @var{YYYY-MM-DD HH:MM:SS} format will be used.
7045@end table
7046
7047@subsection Examples
7048
7049@itemize
7050@item
7051Draw "Test Text" with font FreeSerif, using the default values for the
7052optional parameters.
7053
7054@example
7055drawtext="fontfile=/usr/share/fonts/truetype/freefont/FreeSerif.ttf: text='Test Text'"
7056@end example
7057
7058@item
7059Draw 'Test Text' with font FreeSerif of size 24 at position x=100
7060and y=50 (counting from the top-left corner of the screen), text is
7061yellow with a red box around it. Both the text and the box have an
7062opacity of 20%.
7063
7064@example
7065drawtext="fontfile=/usr/share/fonts/truetype/freefont/FreeSerif.ttf: text='Test Text':\
7066 x=100: y=50: fontsize=24: fontcolor=yellow@@0.2: box=1: boxcolor=red@@0.2"
7067@end example
7068
7069Note that the double quotes are not necessary if spaces are not used
7070within the parameter list.
7071
7072@item
7073Show the text at the center of the video frame:
7074@example
7075drawtext="fontsize=30:fontfile=FreeSerif.ttf:text='hello world':x=(w-text_w)/2:y=(h-text_h)/2"
7076@end example
7077
7078@item
7079Show the text at a random position, switching to a new position every 30 seconds:
7080@example
7081drawtext="fontsize=30:fontfile=FreeSerif.ttf:text='hello world':x=if(eq(mod(t\,30)\,0)\,rand(0\,(w-text_w))\,x):y=if(eq(mod(t\,30)\,0)\,rand(0\,(h-text_h))\,y)"
7082@end example
7083
7084@item
7085Show a text line sliding from right to left in the last row of the video
7086frame. The file @file{LONG_LINE} is assumed to contain a single line
7087with no newlines.
7088@example
7089drawtext="fontsize=15:fontfile=FreeSerif.ttf:text=LONG_LINE:y=h-line_h:x=-50*t"
7090@end example
7091
7092@item
7093Show the content of file @file{CREDITS} off the bottom of the frame and scroll up.
7094@example
7095drawtext="fontsize=20:fontfile=FreeSerif.ttf:textfile=CREDITS:y=h-20*t"
7096@end example
7097
7098@item
7099Draw a single green letter "g", at the center of the input video.
7100The glyph baseline is placed at half screen height.
7101@example
7102drawtext="fontsize=60:fontfile=FreeSerif.ttf:fontcolor=green:text=g:x=(w-max_glyph_w)/2:y=h/2-ascent"
7103@end example
7104
7105@item
7106Show text for 1 second every 3 seconds:
7107@example
7108drawtext="fontfile=FreeSerif.ttf:fontcolor=white:x=100:y=x/dar:enable=lt(mod(t\,3)\,1):text='blink'"
7109@end example
7110
7111@item
7112Use fontconfig to set the font. Note that the colons need to be escaped.
7113@example
7114drawtext='fontfile=Linux Libertine O-40\:style=Semibold:text=FFmpeg'
7115@end example
7116
7117@item
7118Print the date of a real-time encoding (see strftime(3)):
7119@example
7120drawtext='fontfile=FreeSans.ttf:text=%@{localtime\:%a %b %d %Y@}'
7121@end example
7122
7123@item
7124Show text fading in and out (appearing/disappearing):
7125@example
7126#!/bin/sh
7127DS=1.0 # display start
7128DE=10.0 # display end
7129FID=1.5 # fade in duration
7130FOD=5 # fade out duration
7131ffplay -f lavfi "color,drawtext=text=TEST:fontsize=50:fontfile=FreeSerif.ttf:fontcolor_expr=ff0000%@{eif\\\\: clip(255*(1*between(t\\, $DS + $FID\\, $DE - $FOD) + ((t - $DS)/$FID)*between(t\\, $DS\\, $DS + $FID) + (-(t - $DE)/$FOD)*between(t\\, $DE - $FOD\\, $DE) )\\, 0\\, 255) \\\\: x\\\\: 2 @}"
7132@end example
7133
7134@item
7135Horizontally align multiple separate texts. Note that @option{max_glyph_a}
7136and the @option{fontsize} value are included in the @option{y} offset.
7137@example
7138drawtext=fontfile=FreeSans.ttf:text=DOG:fontsize=24:x=10:y=20+24-max_glyph_a,
7139drawtext=fontfile=FreeSans.ttf:text=cow:fontsize=24:x=80:y=20+24-max_glyph_a
7140@end example
7141
7142@end itemize
7143
7144For more information about libfreetype, check:
7145@url{http://www.freetype.org/}.
7146
7147For more information about fontconfig, check:
7148@url{http://freedesktop.org/software/fontconfig/fontconfig-user.html}.
7149
7150For more information about libfribidi, check:
7151@url{http://fribidi.org/}.
7152
7153@section edgedetect
7154
7155Detect and draw edges. The filter uses the Canny Edge Detection algorithm.
7156
7157The filter accepts the following options:
7158
7159@table @option
7160@item low
7161@item high
7162Set low and high threshold values used by the Canny thresholding
7163algorithm.
7164
7165The high threshold selects the "strong" edge pixels, which are then
7166connected through 8-connectivity with the "weak" edge pixels selected
7167by the low threshold.
7168
7169@var{low} and @var{high} threshold values must be chosen in the range
7170[0,1], and @var{low} should be lesser or equal to @var{high}.
7171
7172Default value for @var{low} is @code{20/255}, and default value for @var{high}
7173is @code{50/255}.
7174
7175@item mode
7176Define the drawing mode.
7177
7178@table @samp
7179@item wires
7180Draw white/gray wires on black background.
7181
7182@item colormix
7183Mix the colors to create a paint/cartoon effect.
7184@end table
7185
7186Default value is @var{wires}.
7187@end table
7188
7189@subsection Examples
7190
7191@itemize
7192@item
7193Standard edge detection with custom values for the hysteresis thresholding:
7194@example
7195edgedetect=low=0.1:high=0.4
7196@end example
7197
7198@item
7199Painting effect without thresholding:
7200@example
7201edgedetect=mode=colormix:high=0
7202@end example
7203@end itemize
7204
7205@section eq
7206Set brightness, contrast, saturation and approximate gamma adjustment.
7207
7208The filter accepts the following options:
7209
7210@table @option
7211@item contrast
7212Set the contrast expression. The value must be a float value in range
7213@code{-2.0} to @code{2.0}. The default value is "1".
7214
7215@item brightness
7216Set the brightness expression. The value must be a float value in
7217range @code{-1.0} to @code{1.0}. The default value is "0".
7218
7219@item saturation
7220Set the saturation expression. The value must be a float in
7221range @code{0.0} to @code{3.0}. The default value is "1".
7222
7223@item gamma
7224Set the gamma expression. The value must be a float in range
7225@code{0.1} to @code{10.0}. The default value is "1".
7226
7227@item gamma_r
7228Set the gamma expression for red. The value must be a float in
7229range @code{0.1} to @code{10.0}. The default value is "1".
7230
7231@item gamma_g
7232Set the gamma expression for green. The value must be a float in range
7233@code{0.1} to @code{10.0}. The default value is "1".
7234
7235@item gamma_b
7236Set the gamma expression for blue. The value must be a float in range
7237@code{0.1} to @code{10.0}. The default value is "1".
7238
7239@item gamma_weight
7240Set the gamma weight expression. It can be used to reduce the effect
7241of a high gamma value on bright image areas, e.g. keep them from
7242getting overamplified and just plain white. The value must be a float
7243in range @code{0.0} to @code{1.0}. A value of @code{0.0} turns the
7244gamma correction all the way down while @code{1.0} leaves it at its
7245full strength. Default is "1".
7246
7247@item eval
7248Set when the expressions for brightness, contrast, saturation and
7249gamma expressions are evaluated.
7250
7251It accepts the following values:
7252@table @samp
7253@item init
7254only evaluate expressions once during the filter initialization or
7255when a command is processed
7256
7257@item frame
7258evaluate expressions for each incoming frame
7259@end table
7260
7261Default value is @samp{init}.
7262@end table
7263
7264The expressions accept the following parameters:
7265@table @option
7266@item n
7267frame count of the input frame starting from 0
7268
7269@item pos
7270byte position of the corresponding packet in the input file, NAN if
7271unspecified
7272
7273@item r
7274frame rate of the input video, NAN if the input frame rate is unknown
7275
7276@item t
7277timestamp expressed in seconds, NAN if the input timestamp is unknown
7278@end table
7279
7280@subsection Commands
7281The filter supports the following commands:
7282
7283@table @option
7284@item contrast
7285Set the contrast expression.
7286
7287@item brightness
7288Set the brightness expression.
7289
7290@item saturation
7291Set the saturation expression.
7292
7293@item gamma
7294Set the gamma expression.
7295
7296@item gamma_r
7297Set the gamma_r expression.
7298
7299@item gamma_g
7300Set gamma_g expression.
7301
7302@item gamma_b
7303Set gamma_b expression.
7304
7305@item gamma_weight
7306Set gamma_weight expression.
7307
7308The command accepts the same syntax of the corresponding option.
7309
7310If the specified expression is not valid, it is kept at its current
7311value.
7312
7313@end table
7314
7315@section erosion
7316
7317Apply erosion effect to the video.
7318
7319This filter replaces the pixel by the local(3x3) minimum.
7320
7321It accepts the following options:
7322
7323@table @option
7324@item threshold0
7325@item threshold1
7326@item threshold2
7327@item threshold3
7328Limit the maximum change for each plane, default is 65535.
7329If 0, plane will remain unchanged.
7330
7331@item coordinates
7332Flag which specifies the pixel to refer to. Default is 255 i.e. all eight
7333pixels are used.
7334
7335Flags to local 3x3 coordinates maps like this:
7336
7337 1 2 3
7338 4 5
7339 6 7 8
7340@end table
7341
7342@section extractplanes
7343
7344Extract color channel components from input video stream into
7345separate grayscale video streams.
7346
7347The filter accepts the following option:
7348
7349@table @option
7350@item planes
7351Set plane(s) to extract.
7352
7353Available values for planes are:
7354@table @samp
7355@item y
7356@item u
7357@item v
7358@item a
7359@item r
7360@item g
7361@item b
7362@end table
7363
7364Choosing planes not available in the input will result in an error.
7365That means you cannot select @code{r}, @code{g}, @code{b} planes
7366with @code{y}, @code{u}, @code{v} planes at same time.
7367@end table
7368
7369@subsection Examples
7370
7371@itemize
7372@item
7373Extract luma, u and v color channel component from input video frame
7374into 3 grayscale outputs:
7375@example
7376ffmpeg -i video.avi -filter_complex 'extractplanes=y+u+v[y][u][v]' -map '[y]' y.avi -map '[u]' u.avi -map '[v]' v.avi
7377@end example
7378@end itemize
7379
7380@section elbg
7381
7382Apply a posterize effect using the ELBG (Enhanced LBG) algorithm.
7383
7384For each input image, the filter will compute the optimal mapping from
7385the input to the output given the codebook length, that is the number
7386of distinct output colors.
7387
7388This filter accepts the following options.
7389
7390@table @option
7391@item codebook_length, l
7392Set codebook length. The value must be a positive integer, and
7393represents the number of distinct output colors. Default value is 256.
7394
7395@item nb_steps, n
7396Set the maximum number of iterations to apply for computing the optimal
7397mapping. The higher the value the better the result and the higher the
7398computation time. Default value is 1.
7399
7400@item seed, s
7401Set a random seed, must be an integer included between 0 and
7402UINT32_MAX. If not specified, or if explicitly set to -1, the filter
7403will try to use a good random seed on a best effort basis.
7404
7405@item pal8
7406Set pal8 output pixel format. This option does not work with codebook
7407length greater than 256.
7408@end table
7409
7410@section fade
7411
7412Apply a fade-in/out effect to the input video.
7413
7414It accepts the following parameters:
7415
7416@table @option
7417@item type, t
7418The effect type can be either "in" for a fade-in, or "out" for a fade-out
7419effect.
7420Default is @code{in}.
7421
7422@item start_frame, s
7423Specify the number of the frame to start applying the fade
7424effect at. Default is 0.
7425
7426@item nb_frames, n
7427The number of frames that the fade effect lasts. At the end of the
7428fade-in effect, the output video will have the same intensity as the input video.
7429At the end of the fade-out transition, the output video will be filled with the
7430selected @option{color}.
7431Default is 25.
7432
7433@item alpha
7434If set to 1, fade only alpha channel, if one exists on the input.
7435Default value is 0.
7436
7437@item start_time, st
7438Specify the timestamp (in seconds) of the frame to start to apply the fade
7439effect. If both start_frame and start_time are specified, the fade will start at
7440whichever comes last. Default is 0.
7441
7442@item duration, d
7443The number of seconds for which the fade effect has to last. At the end of the
7444fade-in effect the output video will have the same intensity as the input video,
7445at the end of the fade-out transition the output video will be filled with the
7446selected @option{color}.
7447If both duration and nb_frames are specified, duration is used. Default is 0
7448(nb_frames is used by default).
7449
7450@item color, c
7451Specify the color of the fade. Default is "black".
7452@end table
7453
7454@subsection Examples
7455
7456@itemize
7457@item
7458Fade in the first 30 frames of video:
7459@example
7460fade=in:0:30
7461@end example
7462
7463The command above is equivalent to:
7464@example
7465fade=t=in:s=0:n=30
7466@end example
7467
7468@item
7469Fade out the last 45 frames of a 200-frame video:
7470@example
7471fade=out:155:45
7472fade=type=out:start_frame=155:nb_frames=45
7473@end example
7474
7475@item
7476Fade in the first 25 frames and fade out the last 25 frames of a 1000-frame video:
7477@example
7478fade=in:0:25, fade=out:975:25
7479@end example
7480
7481@item
7482Make the first 5 frames yellow, then fade in from frame 5-24:
7483@example
7484fade=in:5:20:color=yellow
7485@end example
7486
7487@item
7488Fade in alpha over first 25 frames of video:
7489@example
7490fade=in:0:25:alpha=1
7491@end example
7492
7493@item
7494Make the first 5.5 seconds black, then fade in for 0.5 seconds:
7495@example
7496fade=t=in:st=5.5:d=0.5
7497@end example
7498
7499@end itemize
7500
7501@section fftfilt
7502Apply arbitrary expressions to samples in frequency domain
7503
7504@table @option
7505@item dc_Y
7506Adjust the dc value (gain) of the luma plane of the image. The filter
7507accepts an integer value in range @code{0} to @code{1000}. The default
7508value is set to @code{0}.
7509
7510@item dc_U
7511Adjust the dc value (gain) of the 1st chroma plane of the image. The
7512filter accepts an integer value in range @code{0} to @code{1000}. The
7513default value is set to @code{0}.
7514
7515@item dc_V
7516Adjust the dc value (gain) of the 2nd chroma plane of the image. The
7517filter accepts an integer value in range @code{0} to @code{1000}. The
7518default value is set to @code{0}.
7519
7520@item weight_Y
7521Set the frequency domain weight expression for the luma plane.
7522
7523@item weight_U
7524Set the frequency domain weight expression for the 1st chroma plane.
7525
7526@item weight_V
7527Set the frequency domain weight expression for the 2nd chroma plane.
7528
7529The filter accepts the following variables:
7530@item X
7531@item Y
7532The coordinates of the current sample.
7533
7534@item W
7535@item H
7536The width and height of the image.
7537@end table
7538
7539@subsection Examples
7540
7541@itemize
7542@item
7543High-pass:
7544@example
7545fftfilt=dc_Y=128:weight_Y='squish(1-(Y+X)/100)'
7546@end example
7547
7548@item
7549Low-pass:
7550@example
7551fftfilt=dc_Y=0:weight_Y='squish((Y+X)/100-1)'
7552@end example
7553
7554@item
7555Sharpen:
7556@example
7557fftfilt=dc_Y=0:weight_Y='1+squish(1-(Y+X)/100)'
7558@end example
7559
7560@item
7561Blur:
7562@example
7563fftfilt=dc_Y=0:weight_Y='exp(-4 * ((Y+X)/(W+H)))'
7564@end example
7565
7566@end itemize
7567
7568@section field
7569
7570Extract a single field from an interlaced image using stride
7571arithmetic to avoid wasting CPU time. The output frames are marked as
7572non-interlaced.
7573
7574The filter accepts the following options:
7575
7576@table @option
7577@item type
7578Specify whether to extract the top (if the value is @code{0} or
7579@code{top}) or the bottom field (if the value is @code{1} or
7580@code{bottom}).
7581@end table
7582
7583@section fieldhint
7584
7585Create new frames by copying the top and bottom fields from surrounding frames
7586supplied as numbers by the hint file.
7587
7588@table @option
7589@item hint
7590Set file containing hints: absolute/relative frame numbers.
7591
7592There must be one line for each frame in a clip. Each line must contain two
7593numbers separated by the comma, optionally followed by @code{-} or @code{+}.
7594Numbers supplied on each line of file can not be out of [N-1,N+1] where N
7595is current frame number for @code{absolute} mode or out of [-1, 1] range
7596for @code{relative} mode. First number tells from which frame to pick up top
7597field and second number tells from which frame to pick up bottom field.
7598
7599If optionally followed by @code{+} output frame will be marked as interlaced,
7600else if followed by @code{-} output frame will be marked as progressive, else
7601it will be marked same as input frame.
7602If line starts with @code{#} or @code{;} that line is skipped.
7603
7604@item mode
7605Can be item @code{absolute} or @code{relative}. Default is @code{absolute}.
7606@end table
7607
7608Example of first several lines of @code{hint} file for @code{relative} mode:
7609@example
76100,0 - # first frame
76111,0 - # second frame, use third's frame top field and second's frame bottom field
76121,0 - # third frame, use fourth's frame top field and third's frame bottom field
76131,0 -
76140,0 -
76150,0 -
76161,0 -
76171,0 -
76181,0 -
76190,0 -
76200,0 -
76211,0 -
76221,0 -
76231,0 -
76240,0 -
7625@end example
7626
7627@section fieldmatch
7628
7629Field matching filter for inverse telecine. It is meant to reconstruct the
7630progressive frames from a telecined stream. The filter does not drop duplicated
7631frames, so to achieve a complete inverse telecine @code{fieldmatch} needs to be
7632followed by a decimation filter such as @ref{decimate} in the filtergraph.
7633
7634The separation of the field matching and the decimation is notably motivated by
7635the possibility of inserting a de-interlacing filter fallback between the two.
7636If the source has mixed telecined and real interlaced content,
7637@code{fieldmatch} will not be able to match fields for the interlaced parts.
7638But these remaining combed frames will be marked as interlaced, and thus can be
7639de-interlaced by a later filter such as @ref{yadif} before decimation.
7640
7641In addition to the various configuration options, @code{fieldmatch} can take an
7642optional second stream, activated through the @option{ppsrc} option. If
7643enabled, the frames reconstruction will be based on the fields and frames from
7644this second stream. This allows the first input to be pre-processed in order to
7645help the various algorithms of the filter, while keeping the output lossless
7646(assuming the fields are matched properly). Typically, a field-aware denoiser,
7647or brightness/contrast adjustments can help.
7648
7649Note that this filter uses the same algorithms as TIVTC/TFM (AviSynth project)
7650and VIVTC/VFM (VapourSynth project). The later is a light clone of TFM from
7651which @code{fieldmatch} is based on. While the semantic and usage are very
7652close, some behaviour and options names can differ.
7653
7654The @ref{decimate} filter currently only works for constant frame rate input.
7655If your input has mixed telecined (30fps) and progressive content with a lower
7656framerate like 24fps use the following filterchain to produce the necessary cfr
7657stream: @code{dejudder,fps=30000/1001,fieldmatch,decimate}.
7658
7659The filter accepts the following options:
7660
7661@table @option
7662@item order
7663Specify the assumed field order of the input stream. Available values are:
7664
7665@table @samp
7666@item auto
7667Auto detect parity (use FFmpeg's internal parity value).
7668@item bff
7669Assume bottom field first.
7670@item tff
7671Assume top field first.
7672@end table
7673
7674Note that it is sometimes recommended not to trust the parity announced by the
7675stream.
7676
7677Default value is @var{auto}.
7678
7679@item mode
7680Set the matching mode or strategy to use. @option{pc} mode is the safest in the
7681sense that it won't risk creating jerkiness due to duplicate frames when
7682possible, but if there are bad edits or blended fields it will end up
7683outputting combed frames when a good match might actually exist. On the other
7684hand, @option{pcn_ub} mode is the most risky in terms of creating jerkiness,
7685but will almost always find a good frame if there is one. The other values are
7686all somewhere in between @option{pc} and @option{pcn_ub} in terms of risking
7687jerkiness and creating duplicate frames versus finding good matches in sections
7688with bad edits, orphaned fields, blended fields, etc.
7689
7690More details about p/c/n/u/b are available in @ref{p/c/n/u/b meaning} section.
7691
7692Available values are:
7693
7694@table @samp
7695@item pc
76962-way matching (p/c)
7697@item pc_n
76982-way matching, and trying 3rd match if still combed (p/c + n)
7699@item pc_u
77002-way matching, and trying 3rd match (same order) if still combed (p/c + u)
7701@item pc_n_ub
77022-way matching, trying 3rd match if still combed, and trying 4th/5th matches if
7703still combed (p/c + n + u/b)
7704@item pcn
77053-way matching (p/c/n)
7706@item pcn_ub
77073-way matching, and trying 4th/5th matches if all 3 of the original matches are
7708detected as combed (p/c/n + u/b)
7709@end table
7710
7711The parenthesis at the end indicate the matches that would be used for that
7712mode assuming @option{order}=@var{tff} (and @option{field} on @var{auto} or
7713@var{top}).
7714
7715In terms of speed @option{pc} mode is by far the fastest and @option{pcn_ub} is
7716the slowest.
7717
7718Default value is @var{pc_n}.
7719
7720@item ppsrc
7721Mark the main input stream as a pre-processed input, and enable the secondary
7722input stream as the clean source to pick the fields from. See the filter
7723introduction for more details. It is similar to the @option{clip2} feature from
7724VFM/TFM.
7725
7726Default value is @code{0} (disabled).
7727
7728@item field
7729Set the field to match from. It is recommended to set this to the same value as
7730@option{order} unless you experience matching failures with that setting. In
7731certain circumstances changing the field that is used to match from can have a
7732large impact on matching performance. Available values are:
7733
7734@table @samp
7735@item auto
7736Automatic (same value as @option{order}).
7737@item bottom
7738Match from the bottom field.
7739@item top
7740Match from the top field.
7741@end table
7742
7743Default value is @var{auto}.
7744
7745@item mchroma
7746Set whether or not chroma is included during the match comparisons. In most
7747cases it is recommended to leave this enabled. You should set this to @code{0}
7748only if your clip has bad chroma problems such as heavy rainbowing or other
7749artifacts. Setting this to @code{0} could also be used to speed things up at
7750the cost of some accuracy.
7751
7752Default value is @code{1}.
7753
7754@item y0
7755@item y1
7756These define an exclusion band which excludes the lines between @option{y0} and
7757@option{y1} from being included in the field matching decision. An exclusion
7758band can be used to ignore subtitles, a logo, or other things that may
7759interfere with the matching. @option{y0} sets the starting scan line and
7760@option{y1} sets the ending line; all lines in between @option{y0} and
7761@option{y1} (including @option{y0} and @option{y1}) will be ignored. Setting
7762@option{y0} and @option{y1} to the same value will disable the feature.
7763@option{y0} and @option{y1} defaults to @code{0}.
7764
7765@item scthresh
7766Set the scene change detection threshold as a percentage of maximum change on
7767the luma plane. Good values are in the @code{[8.0, 14.0]} range. Scene change
7768detection is only relevant in case @option{combmatch}=@var{sc}. The range for
7769@option{scthresh} is @code{[0.0, 100.0]}.
7770
7771Default value is @code{12.0}.
7772
7773@item combmatch
7774When @option{combatch} is not @var{none}, @code{fieldmatch} will take into
7775account the combed scores of matches when deciding what match to use as the
7776final match. Available values are:
7777
7778@table @samp
7779@item none
7780No final matching based on combed scores.
7781@item sc
7782Combed scores are only used when a scene change is detected.
7783@item full
7784Use combed scores all the time.
7785@end table
7786
7787Default is @var{sc}.
7788
7789@item combdbg
7790Force @code{fieldmatch} to calculate the combed metrics for certain matches and
7791print them. This setting is known as @option{micout} in TFM/VFM vocabulary.
7792Available values are:
7793
7794@table @samp
7795@item none
7796No forced calculation.
7797@item pcn
7798Force p/c/n calculations.
7799@item pcnub
7800Force p/c/n/u/b calculations.
7801@end table
7802
7803Default value is @var{none}.
7804
7805@item cthresh
7806This is the area combing threshold used for combed frame detection. This
7807essentially controls how "strong" or "visible" combing must be to be detected.
7808Larger values mean combing must be more visible and smaller values mean combing
7809can be less visible or strong and still be detected. Valid settings are from
7810@code{-1} (every pixel will be detected as combed) to @code{255} (no pixel will
7811be detected as combed). This is basically a pixel difference value. A good
7812range is @code{[8, 12]}.
7813
7814Default value is @code{9}.
7815
7816@item chroma
7817Sets whether or not chroma is considered in the combed frame decision. Only
7818disable this if your source has chroma problems (rainbowing, etc.) that are
7819causing problems for the combed frame detection with chroma enabled. Actually,
7820using @option{chroma}=@var{0} is usually more reliable, except for the case
7821where there is chroma only combing in the source.
7822
7823Default value is @code{0}.
7824
7825@item blockx
7826@item blocky
7827Respectively set the x-axis and y-axis size of the window used during combed
7828frame detection. This has to do with the size of the area in which
7829@option{combpel} pixels are required to be detected as combed for a frame to be
7830declared combed. See the @option{combpel} parameter description for more info.
7831Possible values are any number that is a power of 2 starting at 4 and going up
7832to 512.
7833
7834Default value is @code{16}.
7835
7836@item combpel
7837The number of combed pixels inside any of the @option{blocky} by
7838@option{blockx} size blocks on the frame for the frame to be detected as
7839combed. While @option{cthresh} controls how "visible" the combing must be, this
7840setting controls "how much" combing there must be in any localized area (a
7841window defined by the @option{blockx} and @option{blocky} settings) on the
7842frame. Minimum value is @code{0} and maximum is @code{blocky x blockx} (at
7843which point no frames will ever be detected as combed). This setting is known
7844as @option{MI} in TFM/VFM vocabulary.
7845
7846Default value is @code{80}.
7847@end table
7848
7849@anchor{p/c/n/u/b meaning}
7850@subsection p/c/n/u/b meaning
7851
7852@subsubsection p/c/n
7853
7854We assume the following telecined stream:
7855
7856@example
7857Top fields: 1 2 2 3 4
7858Bottom fields: 1 2 3 4 4
7859@end example
7860
7861The numbers correspond to the progressive frame the fields relate to. Here, the
7862first two frames are progressive, the 3rd and 4th are combed, and so on.
7863
7864When @code{fieldmatch} is configured to run a matching from bottom
7865(@option{field}=@var{bottom}) this is how this input stream get transformed:
7866
7867@example
7868Input stream:
7869 T 1 2 2 3 4
7870 B 1 2 3 4 4 <-- matching reference
7871
7872Matches: c c n n c
7873
7874Output stream:
7875 T 1 2 3 4 4
7876 B 1 2 3 4 4
7877@end example
7878
7879As a result of the field matching, we can see that some frames get duplicated.
7880To perform a complete inverse telecine, you need to rely on a decimation filter
7881after this operation. See for instance the @ref{decimate} filter.
7882
7883The same operation now matching from top fields (@option{field}=@var{top})
7884looks like this:
7885
7886@example
7887Input stream:
7888 T 1 2 2 3 4 <-- matching reference
7889 B 1 2 3 4 4
7890
7891Matches: c c p p c
7892
7893Output stream:
7894 T 1 2 2 3 4
7895 B 1 2 2 3 4
7896@end example
7897
7898In these examples, we can see what @var{p}, @var{c} and @var{n} mean;
7899basically, they refer to the frame and field of the opposite parity:
7900
7901@itemize
7902@item @var{p} matches the field of the opposite parity in the previous frame
7903@item @var{c} matches the field of the opposite parity in the current frame
7904@item @var{n} matches the field of the opposite parity in the next frame
7905@end itemize
7906
7907@subsubsection u/b
7908
7909The @var{u} and @var{b} matching are a bit special in the sense that they match
7910from the opposite parity flag. In the following examples, we assume that we are
7911currently matching the 2nd frame (Top:2, bottom:2). According to the match, a
7912'x' is placed above and below each matched fields.
7913
7914With bottom matching (@option{field}=@var{bottom}):
7915@example
7916Match: c p n b u
7917
7918 x x x x x
7919 Top 1 2 2 1 2 2 1 2 2 1 2 2 1 2 2
7920 Bottom 1 2 3 1 2 3 1 2 3 1 2 3 1 2 3
7921 x x x x x
7922
7923Output frames:
7924 2 1 2 2 2
7925 2 2 2 1 3
7926@end example
7927
7928With top matching (@option{field}=@var{top}):
7929@example
7930Match: c p n b u
7931
7932 x x x x x
7933 Top 1 2 2 1 2 2 1 2 2 1 2 2 1 2 2
7934 Bottom 1 2 3 1 2 3 1 2 3 1 2 3 1 2 3
7935 x x x x x
7936
7937Output frames:
7938 2 2 2 1 2
7939 2 1 3 2 2
7940@end example
7941
7942@subsection Examples
7943
7944Simple IVTC of a top field first telecined stream:
7945@example
7946fieldmatch=order=tff:combmatch=none, decimate
7947@end example
7948
7949Advanced IVTC, with fallback on @ref{yadif} for still combed frames:
7950@example
7951fieldmatch=order=tff:combmatch=full, yadif=deint=interlaced, decimate
7952@end example
7953
7954@section fieldorder
7955
7956Transform the field order of the input video.
7957
7958It accepts the following parameters:
7959
7960@table @option
7961
7962@item order
7963The output field order. Valid values are @var{tff} for top field first or @var{bff}
7964for bottom field first.
7965@end table
7966
7967The default value is @samp{tff}.
7968
7969The transformation is done by shifting the picture content up or down
7970by one line, and filling the remaining line with appropriate picture content.
7971This method is consistent with most broadcast field order converters.
7972
7973If the input video is not flagged as being interlaced, or it is already
7974flagged as being of the required output field order, then this filter does
7975not alter the incoming video.
7976
7977It is very useful when converting to or from PAL DV material,
7978which is bottom field first.
7979
7980For example:
7981@example
7982ffmpeg -i in.vob -vf "fieldorder=bff" out.dv
7983@end example
7984
7985@section fifo, afifo
7986
7987Buffer input images and send them when they are requested.
7988
7989It is mainly useful when auto-inserted by the libavfilter
7990framework.
7991
7992It does not take parameters.
7993
7994@section find_rect
7995
7996Find a rectangular object
7997
7998It accepts the following options:
7999
8000@table @option
8001@item object
8002Filepath of the object image, needs to be in gray8.
8003
8004@item threshold
8005Detection threshold, default is 0.5.
8006
8007@item mipmaps
8008Number of mipmaps, default is 3.
8009
8010@item xmin, ymin, xmax, ymax
8011Specifies the rectangle in which to search.
8012@end table
8013
8014@subsection Examples
8015
8016@itemize
8017@item
8018Generate a representative palette of a given video using @command{ffmpeg}:
8019@example
8020ffmpeg -i file.ts -vf find_rect=newref.pgm,cover_rect=cover.jpg:mode=cover new.mkv
8021@end example
8022@end itemize
8023
8024@section cover_rect
8025
8026Cover a rectangular object
8027
8028It accepts the following options:
8029
8030@table @option
8031@item cover
8032Filepath of the optional cover image, needs to be in yuv420.
8033
8034@item mode
8035Set covering mode.
8036
8037It accepts the following values:
8038@table @samp
8039@item cover
8040cover it by the supplied image
8041@item blur
8042cover it by interpolating the surrounding pixels
8043@end table
8044
8045Default value is @var{blur}.
8046@end table
8047
8048@subsection Examples
8049
8050@itemize
8051@item
8052Generate a representative palette of a given video using @command{ffmpeg}:
8053@example
8054ffmpeg -i file.ts -vf find_rect=newref.pgm,cover_rect=cover.jpg:mode=cover new.mkv
8055@end example
8056@end itemize
8057
8058@anchor{format}
8059@section format
8060
8061Convert the input video to one of the specified pixel formats.
8062Libavfilter will try to pick one that is suitable as input to
8063the next filter.
8064
8065It accepts the following parameters:
8066@table @option
8067
8068@item pix_fmts
8069A '|'-separated list of pixel format names, such as
8070"pix_fmts=yuv420p|monow|rgb24".
8071
8072@end table
8073
8074@subsection Examples
8075
8076@itemize
8077@item
8078Convert the input video to the @var{yuv420p} format
8079@example
8080format=pix_fmts=yuv420p
8081@end example
8082
8083Convert the input video to any of the formats in the list
8084@example
8085format=pix_fmts=yuv420p|yuv444p|yuv410p
8086@end example
8087@end itemize
8088
8089@anchor{fps}
8090@section fps
8091
8092Convert the video to specified constant frame rate by duplicating or dropping
8093frames as necessary.
8094
8095It accepts the following parameters:
8096@table @option
8097
8098@item fps
8099The desired output frame rate. The default is @code{25}.
8100
8101@item round
8102Rounding method.
8103
8104Possible values are:
8105@table @option
8106@item zero
8107zero round towards 0
8108@item inf
8109round away from 0
8110@item down
8111round towards -infinity
8112@item up
8113round towards +infinity
8114@item near
8115round to nearest
8116@end table
8117The default is @code{near}.
8118
8119@item start_time
8120Assume the first PTS should be the given value, in seconds. This allows for
8121padding/trimming at the start of stream. By default, no assumption is made
8122about the first frame's expected PTS, so no padding or trimming is done.
8123For example, this could be set to 0 to pad the beginning with duplicates of
8124the first frame if a video stream starts after the audio stream or to trim any
8125frames with a negative PTS.
8126
8127@end table
8128
8129Alternatively, the options can be specified as a flat string:
8130@var{fps}[:@var{round}].
8131
8132See also the @ref{setpts} filter.
8133
8134@subsection Examples
8135
8136@itemize
8137@item
8138A typical usage in order to set the fps to 25:
8139@example
8140fps=fps=25
8141@end example
8142
8143@item
8144Sets the fps to 24, using abbreviation and rounding method to round to nearest:
8145@example
8146fps=fps=film:round=near
8147@end example
8148@end itemize
8149
8150@section framepack
8151
8152Pack two different video streams into a stereoscopic video, setting proper
8153metadata on supported codecs. The two views should have the same size and
8154framerate and processing will stop when the shorter video ends. Please note
8155that you may conveniently adjust view properties with the @ref{scale} and
8156@ref{fps} filters.
8157
8158It accepts the following parameters:
8159@table @option
8160
8161@item format
8162The desired packing format. Supported values are:
8163
8164@table @option
8165
8166@item sbs
8167The views are next to each other (default).
8168
8169@item tab
8170The views are on top of each other.
8171
8172@item lines
8173The views are packed by line.
8174
8175@item columns
8176The views are packed by column.
8177
8178@item frameseq
8179The views are temporally interleaved.
8180
8181@end table
8182
8183@end table
8184
8185Some examples:
8186
8187@example
8188# Convert left and right views into a frame-sequential video
8189ffmpeg -i LEFT -i RIGHT -filter_complex framepack=frameseq OUTPUT
8190
8191# Convert views into a side-by-side video with the same output resolution as the input
8192ffmpeg -i LEFT -i RIGHT -filter_complex [0:v]scale=w=iw/2[left],[1:v]scale=w=iw/2[right],[left][right]framepack=sbs OUTPUT
8193@end example
8194
8195@section framerate
8196
8197Change the frame rate by interpolating new video output frames from the source
8198frames.
8199
8200This filter is not designed to function correctly with interlaced media. If
8201you wish to change the frame rate of interlaced media then you are required
8202to deinterlace before this filter and re-interlace after this filter.
8203
8204A description of the accepted options follows.
8205
8206@table @option
8207@item fps
8208Specify the output frames per second. This option can also be specified
8209as a value alone. The default is @code{50}.
8210
8211@item interp_start
8212Specify the start of a range where the output frame will be created as a
8213linear interpolation of two frames. The range is [@code{0}-@code{255}],
8214the default is @code{15}.
8215
8216@item interp_end
8217Specify the end of a range where the output frame will be created as a
8218linear interpolation of two frames. The range is [@code{0}-@code{255}],
8219the default is @code{240}.
8220
8221@item scene
8222Specify the level at which a scene change is detected as a value between
82230 and 100 to indicate a new scene; a low value reflects a low
8224probability for the current frame to introduce a new scene, while a higher
8225value means the current frame is more likely to be one.
8226The default is @code{7}.
8227
8228@item flags
8229Specify flags influencing the filter process.
8230
8231Available value for @var{flags} is:
8232
8233@table @option
8234@item scene_change_detect, scd
8235Enable scene change detection using the value of the option @var{scene}.
8236This flag is enabled by default.
8237@end table
8238@end table
8239
8240@section framestep
8241
8242Select one frame every N-th frame.
8243
8244This filter accepts the following option:
8245@table @option
8246@item step
8247Select frame after every @code{step} frames.
8248Allowed values are positive integers higher than 0. Default value is @code{1}.
8249@end table
8250
8251@anchor{frei0r}
8252@section frei0r
8253
8254Apply a frei0r effect to the input video.
8255
8256To enable the compilation of this filter, you need to install the frei0r
8257header and configure FFmpeg with @code{--enable-frei0r}.
8258
8259It accepts the following parameters:
8260
8261@table @option
8262
8263@item filter_name
8264The name of the frei0r effect to load. If the environment variable
8265@env{FREI0R_PATH} is defined, the frei0r effect is searched for in each of the
8266directories specified by the colon-separated list in @env{FREIOR_PATH}.
8267Otherwise, the standard frei0r paths are searched, in this order:
8268@file{HOME/.frei0r-1/lib/}, @file{/usr/local/lib/frei0r-1/},
8269@file{/usr/lib/frei0r-1/}.
8270
8271@item filter_params
8272A '|'-separated list of parameters to pass to the frei0r effect.
8273
8274@end table
8275
8276A frei0r effect parameter can be a boolean (its value is either
8277"y" or "n"), a double, a color (specified as
8278@var{R}/@var{G}/@var{B}, where @var{R}, @var{G}, and @var{B} are floating point
8279numbers between 0.0 and 1.0, inclusive) or by a color description specified in the "Color"
8280section in the ffmpeg-utils manual), a position (specified as @var{X}/@var{Y}, where
8281@var{X} and @var{Y} are floating point numbers) and/or a string.
8282
8283The number and types of parameters depend on the loaded effect. If an
8284effect parameter is not specified, the default value is set.
8285
8286@subsection Examples
8287
8288@itemize
8289@item
8290Apply the distort0r effect, setting the first two double parameters:
8291@example
8292frei0r=filter_name=distort0r:filter_params=0.5|0.01
8293@end example
8294
8295@item
8296Apply the colordistance effect, taking a color as the first parameter:
8297@example
8298frei0r=colordistance:0.2/0.3/0.4
8299frei0r=colordistance:violet
8300frei0r=colordistance:0x112233
8301@end example
8302
8303@item
8304Apply the perspective effect, specifying the top left and top right image
8305positions:
8306@example
8307frei0r=perspective:0.2/0.2|0.8/0.2
8308@end example
8309@end itemize
8310
8311For more information, see
8312@url{http://frei0r.dyne.org}
8313
8314@section fspp
8315
8316Apply fast and simple postprocessing. It is a faster version of @ref{spp}.
8317
8318It splits (I)DCT into horizontal/vertical passes. Unlike the simple post-
8319processing filter, one of them is performed once per block, not per pixel.
8320This allows for much higher speed.
8321
8322The filter accepts the following options:
8323
8324@table @option
8325@item quality
8326Set quality. This option defines the number of levels for averaging. It accepts
8327an integer in the range 4-5. Default value is @code{4}.
8328
8329@item qp
8330Force a constant quantization parameter. It accepts an integer in range 0-63.
8331If not set, the filter will use the QP from the video stream (if available).
8332
8333@item strength
8334Set filter strength. It accepts an integer in range -15 to 32. Lower values mean
8335more details but also more artifacts, while higher values make the image smoother
8336but also blurrier. Default value is @code{0} − PSNR optimal.
8337
8338@item use_bframe_qp
8339Enable the use of the QP from the B-Frames if set to @code{1}. Using this
8340option may cause flicker since the B-Frames have often larger QP. Default is
8341@code{0} (not enabled).
8342
8343@end table
8344
8345@section gblur
8346
8347Apply Gaussian blur filter.
8348
8349The filter accepts the following options:
8350
8351@table @option
8352@item sigma
8353Set horizontal sigma, standard deviation of Gaussian blur. Default is @code{0.5}.
8354
8355@item steps
8356Set number of steps for Gaussian approximation. Defauls is @code{1}.
8357
8358@item planes
8359Set which planes to filter. By default all planes are filtered.
8360
8361@item sigmaV
8362Set vertical sigma, if negative it will be same as @code{sigma}.
8363Default is @code{-1}.
8364@end table
8365
8366@section geq
8367
8368The filter accepts the following options:
8369
8370@table @option
8371@item lum_expr, lum
8372Set the luminance expression.
8373@item cb_expr, cb
8374Set the chrominance blue expression.
8375@item cr_expr, cr
8376Set the chrominance red expression.
8377@item alpha_expr, a
8378Set the alpha expression.
8379@item red_expr, r
8380Set the red expression.
8381@item green_expr, g
8382Set the green expression.
8383@item blue_expr, b
8384Set the blue expression.
8385@end table
8386
8387The colorspace is selected according to the specified options. If one
8388of the @option{lum_expr}, @option{cb_expr}, or @option{cr_expr}
8389options is specified, the filter will automatically select a YCbCr
8390colorspace. If one of the @option{red_expr}, @option{green_expr}, or
8391@option{blue_expr} options is specified, it will select an RGB
8392colorspace.
8393
8394If one of the chrominance expression is not defined, it falls back on the other
8395one. If no alpha expression is specified it will evaluate to opaque value.
8396If none of chrominance expressions are specified, they will evaluate
8397to the luminance expression.
8398
8399The expressions can use the following variables and functions:
8400
8401@table @option
8402@item N
8403The sequential number of the filtered frame, starting from @code{0}.
8404
8405@item X
8406@item Y
8407The coordinates of the current sample.
8408
8409@item W
8410@item H
8411The width and height of the image.
8412
8413@item SW
8414@item SH
8415Width and height scale depending on the currently filtered plane. It is the
8416ratio between the corresponding luma plane number of pixels and the current
8417plane ones. E.g. for YUV4:2:0 the values are @code{1,1} for the luma plane, and
8418@code{0.5,0.5} for chroma planes.
8419
8420@item T
8421Time of the current frame, expressed in seconds.
8422
8423@item p(x, y)
8424Return the value of the pixel at location (@var{x},@var{y}) of the current
8425plane.
8426
8427@item lum(x, y)
8428Return the value of the pixel at location (@var{x},@var{y}) of the luminance
8429plane.
8430
8431@item cb(x, y)
8432Return the value of the pixel at location (@var{x},@var{y}) of the
8433blue-difference chroma plane. Return 0 if there is no such plane.
8434
8435@item cr(x, y)
8436Return the value of the pixel at location (@var{x},@var{y}) of the
8437red-difference chroma plane. Return 0 if there is no such plane.
8438
8439@item r(x, y)
8440@item g(x, y)
8441@item b(x, y)
8442Return the value of the pixel at location (@var{x},@var{y}) of the
8443red/green/blue component. Return 0 if there is no such component.
8444
8445@item alpha(x, y)
8446Return the value of the pixel at location (@var{x},@var{y}) of the alpha
8447plane. Return 0 if there is no such plane.
8448@end table
8449
8450For functions, if @var{x} and @var{y} are outside the area, the value will be
8451automatically clipped to the closer edge.
8452
8453@subsection Examples
8454
8455@itemize
8456@item
8457Flip the image horizontally:
8458@example
8459geq=p(W-X\,Y)
8460@end example
8461
8462@item
8463Generate a bidimensional sine wave, with angle @code{PI/3} and a
8464wavelength of 100 pixels:
8465@example
8466geq=128 + 100*sin(2*(PI/100)*(cos(PI/3)*(X-50*T) + sin(PI/3)*Y)):128:128
8467@end example
8468
8469@item
8470Generate a fancy enigmatic moving light:
8471@example
8472nullsrc=s=256x256,geq=random(1)/hypot(X-cos(N*0.07)*W/2-W/2\,Y-sin(N*0.09)*H/2-H/2)^2*1000000*sin(N*0.02):128:128
8473@end example
8474
8475@item
8476Generate a quick emboss effect:
8477@example
8478format=gray,geq=lum_expr='(p(X,Y)+(256-p(X-4,Y-4)))/2'
8479@end example
8480
8481@item
8482Modify RGB components depending on pixel position:
8483@example
8484geq=r='X/W*r(X,Y)':g='(1-X/W)*g(X,Y)':b='(H-Y)/H*b(X,Y)'
8485@end example
8486
8487@item
8488Create a radial gradient that is the same size as the input (also see
8489the @ref{vignette} filter):
8490@example
8491geq=lum=255*gauss((X/W-0.5)*3)*gauss((Y/H-0.5)*3)/gauss(0)/gauss(0),format=gray
8492@end example
8493@end itemize
8494
8495@section gradfun
8496
8497Fix the banding artifacts that are sometimes introduced into nearly flat
8498regions by truncation to 8-bit color depth.
8499Interpolate the gradients that should go where the bands are, and
8500dither them.
8501
8502It is designed for playback only. Do not use it prior to
8503lossy compression, because compression tends to lose the dither and
8504bring back the bands.
8505
8506It accepts the following parameters:
8507
8508@table @option
8509
8510@item strength
8511The maximum amount by which the filter will change any one pixel. This is also
8512the threshold for detecting nearly flat regions. Acceptable values range from
8513.51 to 64; the default value is 1.2. Out-of-range values will be clipped to the
8514valid range.
8515
8516@item radius
8517The neighborhood to fit the gradient to. A larger radius makes for smoother
8518gradients, but also prevents the filter from modifying the pixels near detailed
8519regions. Acceptable values are 8-32; the default value is 16. Out-of-range
8520values will be clipped to the valid range.
8521
8522@end table
8523
8524Alternatively, the options can be specified as a flat string:
8525@var{strength}[:@var{radius}]
8526
8527@subsection Examples
8528
8529@itemize
8530@item
8531Apply the filter with a @code{3.5} strength and radius of @code{8}:
8532@example
8533gradfun=3.5:8
8534@end example
8535
8536@item
8537Specify radius, omitting the strength (which will fall-back to the default
8538value):
8539@example
8540gradfun=radius=8
8541@end example
8542
8543@end itemize
8544
8545@anchor{haldclut}
8546@section haldclut
8547
8548Apply a Hald CLUT to a video stream.
8549
8550First input is the video stream to process, and second one is the Hald CLUT.
8551The Hald CLUT input can be a simple picture or a complete video stream.
8552
8553The filter accepts the following options:
8554
8555@table @option
8556@item shortest
8557Force termination when the shortest input terminates. Default is @code{0}.
8558@item repeatlast
8559Continue applying the last CLUT after the end of the stream. A value of
8560@code{0} disable the filter after the last frame of the CLUT is reached.
8561Default is @code{1}.
8562@end table
8563
8564@code{haldclut} also has the same interpolation options as @ref{lut3d} (both
8565filters share the same internals).
8566
8567More information about the Hald CLUT can be found on Eskil Steenberg's website
8568(Hald CLUT author) at @url{http://www.quelsolaar.com/technology/clut.html}.
8569
8570@subsection Workflow examples
8571
8572@subsubsection Hald CLUT video stream
8573
8574Generate an identity Hald CLUT stream altered with various effects:
8575@example
8576ffmpeg -f lavfi -i @ref{haldclutsrc}=8 -vf "hue=H=2*PI*t:s=sin(2*PI*t)+1, curves=cross_process" -t 10 -c:v ffv1 clut.nut
8577@end example
8578
8579Note: make sure you use a lossless codec.
8580
8581Then use it with @code{haldclut} to apply it on some random stream:
8582@example
8583ffmpeg -f lavfi -i mandelbrot -i clut.nut -filter_complex '[0][1] haldclut' -t 20 mandelclut.mkv
8584@end example
8585
8586The Hald CLUT will be applied to the 10 first seconds (duration of
8587@file{clut.nut}), then the latest picture of that CLUT stream will be applied
8588to the remaining frames of the @code{mandelbrot} stream.
8589
8590@subsubsection Hald CLUT with preview
8591
8592A Hald CLUT is supposed to be a squared image of @code{Level*Level*Level} by
8593@code{Level*Level*Level} pixels. For a given Hald CLUT, FFmpeg will select the
8594biggest possible square starting at the top left of the picture. The remaining
8595padding pixels (bottom or right) will be ignored. This area can be used to add
8596a preview of the Hald CLUT.
8597
8598Typically, the following generated Hald CLUT will be supported by the
8599@code{haldclut} filter:
8600
8601@example
8602ffmpeg -f lavfi -i @ref{haldclutsrc}=8 -vf "
8603 pad=iw+320 [padded_clut];
8604 smptebars=s=320x256, split [a][b];
8605 [padded_clut][a] overlay=W-320:h, curves=color_negative [main];
8606 [main][b] overlay=W-320" -frames:v 1 clut.png
8607@end example
8608
8609It contains the original and a preview of the effect of the CLUT: SMPTE color
8610bars are displayed on the right-top, and below the same color bars processed by
8611the color changes.
8612
8613Then, the effect of this Hald CLUT can be visualized with:
8614@example
8615ffplay input.mkv -vf "movie=clut.png, [in] haldclut"
8616@end example
8617
8618@section hflip
8619
8620Flip the input video horizontally.
8621
8622For example, to horizontally flip the input video with @command{ffmpeg}:
8623@example
8624ffmpeg -i in.avi -vf "hflip" out.avi
8625@end example
8626
8627@section histeq
8628This filter applies a global color histogram equalization on a
8629per-frame basis.
8630
8631It can be used to correct video that has a compressed range of pixel
8632intensities. The filter redistributes the pixel intensities to
8633equalize their distribution across the intensity range. It may be
8634viewed as an "automatically adjusting contrast filter". This filter is
8635useful only for correcting degraded or poorly captured source
8636video.
8637
8638The filter accepts the following options:
8639
8640@table @option
8641@item strength
8642Determine the amount of equalization to be applied. As the strength
8643is reduced, the distribution of pixel intensities more-and-more
8644approaches that of the input frame. The value must be a float number
8645in the range [0,1] and defaults to 0.200.
8646
8647@item intensity
8648Set the maximum intensity that can generated and scale the output
8649values appropriately. The strength should be set as desired and then
8650the intensity can be limited if needed to avoid washing-out. The value
8651must be a float number in the range [0,1] and defaults to 0.210.
8652
8653@item antibanding
8654Set the antibanding level. If enabled the filter will randomly vary
8655the luminance of output pixels by a small amount to avoid banding of
8656the histogram. Possible values are @code{none}, @code{weak} or
8657@code{strong}. It defaults to @code{none}.
8658@end table
8659
8660@section histogram
8661
8662Compute and draw a color distribution histogram for the input video.
8663
8664The computed histogram is a representation of the color component
8665distribution in an image.
8666
8667Standard histogram displays the color components distribution in an image.
8668Displays color graph for each color component. Shows distribution of
8669the Y, U, V, A or R, G, B components, depending on input format, in the
8670current frame. Below each graph a color component scale meter is shown.
8671
8672The filter accepts the following options:
8673
8674@table @option
8675@item level_height
8676Set height of level. Default value is @code{200}.
8677Allowed range is [50, 2048].
8678
8679@item scale_height
8680Set height of color scale. Default value is @code{12}.
8681Allowed range is [0, 40].
8682
8683@item display_mode
8684Set display mode.
8685It accepts the following values:
8686@table @samp
8687@item parade
8688Per color component graphs are placed below each other.
8689
8690@item overlay
8691Presents information identical to that in the @code{parade}, except
8692that the graphs representing color components are superimposed directly
8693over one another.
8694@end table
8695Default is @code{parade}.
8696
8697@item levels_mode
8698Set mode. Can be either @code{linear}, or @code{logarithmic}.
8699Default is @code{linear}.
8700
8701@item components
8702Set what color components to display.
8703Default is @code{7}.
8704
8705@item fgopacity
8706Set foreground opacity. Default is @code{0.7}.
8707
8708@item bgopacity
8709Set background opacity. Default is @code{0.5}.
8710@end table
8711
8712@subsection Examples
8713
8714@itemize
8715
8716@item
8717Calculate and draw histogram:
8718@example
8719ffplay -i input -vf histogram
8720@end example
8721
8722@end itemize
8723
8724@anchor{hqdn3d}
8725@section hqdn3d
8726
8727This is a high precision/quality 3d denoise filter. It aims to reduce
8728image noise, producing smooth images and making still images really
8729still. It should enhance compressibility.
8730
8731It accepts the following optional parameters:
8732
8733@table @option
8734@item luma_spatial
8735A non-negative floating point number which specifies spatial luma strength.
8736It defaults to 4.0.
8737
8738@item chroma_spatial
8739A non-negative floating point number which specifies spatial chroma strength.
8740It defaults to 3.0*@var{luma_spatial}/4.0.
8741
8742@item luma_tmp
8743A floating point number which specifies luma temporal strength. It defaults to
87446.0*@var{luma_spatial}/4.0.
8745
8746@item chroma_tmp
8747A floating point number which specifies chroma temporal strength. It defaults to
8748@var{luma_tmp}*@var{chroma_spatial}/@var{luma_spatial}.
8749@end table
8750
8751@anchor{hwupload_cuda}
8752@section hwupload_cuda
8753
8754Upload system memory frames to a CUDA device.
8755
8756It accepts the following optional parameters:
8757
8758@table @option
8759@item device
8760The number of the CUDA device to use
8761@end table
8762
8763@section hqx
8764
8765Apply a high-quality magnification filter designed for pixel art. This filter
8766was originally created by Maxim Stepin.
8767
8768It accepts the following option:
8769
8770@table @option
8771@item n
8772Set the scaling dimension: @code{2} for @code{hq2x}, @code{3} for
8773@code{hq3x} and @code{4} for @code{hq4x}.
8774Default is @code{3}.
8775@end table
8776
8777@section hstack
8778Stack input videos horizontally.
8779
8780All streams must be of same pixel format and of same height.
8781
8782Note that this filter is faster than using @ref{overlay} and @ref{pad} filter
8783to create same output.
8784
8785The filter accept the following option:
8786
8787@table @option
8788@item inputs
8789Set number of input streams. Default is 2.
8790
8791@item shortest
8792If set to 1, force the output to terminate when the shortest input
8793terminates. Default value is 0.
8794@end table
8795
8796@section hue
8797
8798Modify the hue and/or the saturation of the input.
8799
8800It accepts the following parameters:
8801
8802@table @option
8803@item h
8804Specify the hue angle as a number of degrees. It accepts an expression,
8805and defaults to "0".
8806
8807@item s
8808Specify the saturation in the [-10,10] range. It accepts an expression and
8809defaults to "1".
8810
8811@item H
8812Specify the hue angle as a number of radians. It accepts an
8813expression, and defaults to "0".
8814
8815@item b
8816Specify the brightness in the [-10,10] range. It accepts an expression and
8817defaults to "0".
8818@end table
8819
8820@option{h} and @option{H} are mutually exclusive, and can't be
8821specified at the same time.
8822
8823The @option{b}, @option{h}, @option{H} and @option{s} option values are
8824expressions containing the following constants:
8825
8826@table @option
8827@item n
8828frame count of the input frame starting from 0
8829
8830@item pts
8831presentation timestamp of the input frame expressed in time base units
8832
8833@item r
8834frame rate of the input video, NAN if the input frame rate is unknown
8835
8836@item t
8837timestamp expressed in seconds, NAN if the input timestamp is unknown
8838
8839@item tb
8840time base of the input video
8841@end table
8842
8843@subsection Examples
8844
8845@itemize
8846@item
8847Set the hue to 90 degrees and the saturation to 1.0:
8848@example
8849hue=h=90:s=1
8850@end example
8851
8852@item
8853Same command but expressing the hue in radians:
8854@example
8855hue=H=PI/2:s=1
8856@end example
8857
8858@item
8859Rotate hue and make the saturation swing between 0
8860and 2 over a period of 1 second:
8861@example
8862hue="H=2*PI*t: s=sin(2*PI*t)+1"
8863@end example
8864
8865@item
8866Apply a 3 seconds saturation fade-in effect starting at 0:
8867@example
8868hue="s=min(t/3\,1)"
8869@end example
8870
8871The general fade-in expression can be written as:
8872@example
8873hue="s=min(0\, max((t-START)/DURATION\, 1))"
8874@end example
8875
8876@item
8877Apply a 3 seconds saturation fade-out effect starting at 5 seconds:
8878@example
8879hue="s=max(0\, min(1\, (8-t)/3))"
8880@end example
8881
8882The general fade-out expression can be written as:
8883@example
8884hue="s=max(0\, min(1\, (START+DURATION-t)/DURATION))"
8885@end example
8886
8887@end itemize
8888
8889@subsection Commands
8890
8891This filter supports the following commands:
8892@table @option
8893@item b
8894@item s
8895@item h
8896@item H
8897Modify the hue and/or the saturation and/or brightness of the input video.
8898The command accepts the same syntax of the corresponding option.
8899
8900If the specified expression is not valid, it is kept at its current
8901value.
8902@end table
8903
8904@section hysteresis
8905
8906Grow first stream into second stream by connecting components.
8907This makes it possible to build more robust edge masks.
8908
8909This filter accepts the following options:
8910
8911@table @option
8912@item planes
8913Set which planes will be processed as bitmap, unprocessed planes will be
8914copied from first stream.
8915By default value 0xf, all planes will be processed.
8916
8917@item threshold
8918Set threshold which is used in filtering. If pixel component value is higher than
8919this value filter algorithm for connecting components is activated.
8920By default value is 0.
8921@end table
8922
8923@section idet
8924
8925Detect video interlacing type.
8926
8927This filter tries to detect if the input frames are interlaced, progressive,
8928top or bottom field first. It will also try to detect fields that are
8929repeated between adjacent frames (a sign of telecine).
8930
8931Single frame detection considers only immediately adjacent frames when classifying each frame.
8932Multiple frame detection incorporates the classification history of previous frames.
8933
8934The filter will log these metadata values:
8935
8936@table @option
8937@item single.current_frame
8938Detected type of current frame using single-frame detection. One of:
8939``tff'' (top field first), ``bff'' (bottom field first),
8940``progressive'', or ``undetermined''
8941
8942@item single.tff
8943Cumulative number of frames detected as top field first using single-frame detection.
8944
8945@item multiple.tff
8946Cumulative number of frames detected as top field first using multiple-frame detection.
8947
8948@item single.bff
8949Cumulative number of frames detected as bottom field first using single-frame detection.
8950
8951@item multiple.current_frame
8952Detected type of current frame using multiple-frame detection. One of:
8953``tff'' (top field first), ``bff'' (bottom field first),
8954``progressive'', or ``undetermined''
8955
8956@item multiple.bff
8957Cumulative number of frames detected as bottom field first using multiple-frame detection.
8958
8959@item single.progressive
8960Cumulative number of frames detected as progressive using single-frame detection.
8961
8962@item multiple.progressive
8963Cumulative number of frames detected as progressive using multiple-frame detection.
8964
8965@item single.undetermined
8966Cumulative number of frames that could not be classified using single-frame detection.
8967
8968@item multiple.undetermined
8969Cumulative number of frames that could not be classified using multiple-frame detection.
8970
8971@item repeated.current_frame
8972Which field in the current frame is repeated from the last. One of ``neither'', ``top'', or ``bottom''.
8973
8974@item repeated.neither
8975Cumulative number of frames with no repeated field.
8976
8977@item repeated.top
8978Cumulative number of frames with the top field repeated from the previous frame's top field.
8979
8980@item repeated.bottom
8981Cumulative number of frames with the bottom field repeated from the previous frame's bottom field.
8982@end table
8983
8984The filter accepts the following options:
8985
8986@table @option
8987@item intl_thres
8988Set interlacing threshold.
8989@item prog_thres
8990Set progressive threshold.
8991@item rep_thres
8992Threshold for repeated field detection.
8993@item half_life
8994Number of frames after which a given frame's contribution to the
8995statistics is halved (i.e., it contributes only 0.5 to its
8996classification). The default of 0 means that all frames seen are given
8997full weight of 1.0 forever.
8998@item analyze_interlaced_flag
8999When this is not 0 then idet will use the specified number of frames to determine
9000if the interlaced flag is accurate, it will not count undetermined frames.
9001If the flag is found to be accurate it will be used without any further
9002computations, if it is found to be inaccurate it will be cleared without any
9003further computations. This allows inserting the idet filter as a low computational
9004method to clean up the interlaced flag
9005@end table
9006
9007@section il
9008
9009Deinterleave or interleave fields.
9010
9011This filter allows one to process interlaced images fields without
9012deinterlacing them. Deinterleaving splits the input frame into 2
9013fields (so called half pictures). Odd lines are moved to the top
9014half of the output image, even lines to the bottom half.
9015You can process (filter) them independently and then re-interleave them.
9016
9017The filter accepts the following options:
9018
9019@table @option
9020@item luma_mode, l
9021@item chroma_mode, c
9022@item alpha_mode, a
9023Available values for @var{luma_mode}, @var{chroma_mode} and
9024@var{alpha_mode} are:
9025
9026@table @samp
9027@item none
9028Do nothing.
9029
9030@item deinterleave, d
9031Deinterleave fields, placing one above the other.
9032
9033@item interleave, i
9034Interleave fields. Reverse the effect of deinterleaving.
9035@end table
9036Default value is @code{none}.
9037
9038@item luma_swap, ls
9039@item chroma_swap, cs
9040@item alpha_swap, as
9041Swap luma/chroma/alpha fields. Exchange even & odd lines. Default value is @code{0}.
9042@end table
9043
9044@section inflate
9045
9046Apply inflate effect to the video.
9047
9048This filter replaces the pixel by the local(3x3) average by taking into account
9049only values higher than the pixel.
9050
9051It accepts the following options:
9052
9053@table @option
9054@item threshold0
9055@item threshold1
9056@item threshold2
9057@item threshold3
9058Limit the maximum change for each plane, default is 65535.
9059If 0, plane will remain unchanged.
9060@end table
9061
9062@section interlace
9063
9064Simple interlacing filter from progressive contents. This interleaves upper (or
9065lower) lines from odd frames with lower (or upper) lines from even frames,
9066halving the frame rate and preserving image height.
9067
9068@example
9069 Original Original New Frame
9070 Frame 'j' Frame 'j+1' (tff)
9071 ========== =========== ==================
9072 Line 0 --------------------> Frame 'j' Line 0
9073 Line 1 Line 1 ----> Frame 'j+1' Line 1
9074 Line 2 ---------------------> Frame 'j' Line 2
9075 Line 3 Line 3 ----> Frame 'j+1' Line 3
9076 ... ... ...
9077New Frame + 1 will be generated by Frame 'j+2' and Frame 'j+3' and so on
9078@end example
9079
9080It accepts the following optional parameters:
9081
9082@table @option
9083@item scan
9084This determines whether the interlaced frame is taken from the even
9085(tff - default) or odd (bff) lines of the progressive frame.
9086
9087@item lowpass
9088Enable (default) or disable the vertical lowpass filter to avoid twitter
9089interlacing and reduce moire patterns.
9090@end table
9091
9092@section kerndeint
9093
9094Deinterlace input video by applying Donald Graft's adaptive kernel
9095deinterling. Work on interlaced parts of a video to produce
9096progressive frames.
9097
9098The description of the accepted parameters follows.
9099
9100@table @option
9101@item thresh
9102Set the threshold which affects the filter's tolerance when
9103determining if a pixel line must be processed. It must be an integer
9104in the range [0,255] and defaults to 10. A value of 0 will result in
9105applying the process on every pixels.
9106
9107@item map
9108Paint pixels exceeding the threshold value to white if set to 1.
9109Default is 0.
9110
9111@item order
9112Set the fields order. Swap fields if set to 1, leave fields alone if
91130. Default is 0.
9114
9115@item sharp
9116Enable additional sharpening if set to 1. Default is 0.
9117
9118@item twoway
9119Enable twoway sharpening if set to 1. Default is 0.
9120@end table
9121
9122@subsection Examples
9123
9124@itemize
9125@item
9126Apply default values:
9127@example
9128kerndeint=thresh=10:map=0:order=0:sharp=0:twoway=0
9129@end example
9130
9131@item
9132Enable additional sharpening:
9133@example
9134kerndeint=sharp=1
9135@end example
9136
9137@item
9138Paint processed pixels in white:
9139@example
9140kerndeint=map=1
9141@end example
9142@end itemize
9143
9144@section lenscorrection
9145
9146Correct radial lens distortion
9147
9148This filter can be used to correct for radial distortion as can result from the use
9149of wide angle lenses, and thereby re-rectify the image. To find the right parameters
9150one can use tools available for example as part of opencv or simply trial-and-error.
9151To use opencv use the calibration sample (under samples/cpp) from the opencv sources
9152and extract the k1 and k2 coefficients from the resulting matrix.
9153
9154Note that effectively the same filter is available in the open-source tools Krita and
9155Digikam from the KDE project.
9156
9157In contrast to the @ref{vignette} filter, which can also be used to compensate lens errors,
9158this filter corrects the distortion of the image, whereas @ref{vignette} corrects the
9159brightness distribution, so you may want to use both filters together in certain
9160cases, though you will have to take care of ordering, i.e. whether vignetting should
9161be applied before or after lens correction.
9162
9163@subsection Options
9164
9165The filter accepts the following options:
9166
9167@table @option
9168@item cx
9169Relative x-coordinate of the focal point of the image, and thereby the center of the
9170distortion. This value has a range [0,1] and is expressed as fractions of the image
9171width.
9172@item cy
9173Relative y-coordinate of the focal point of the image, and thereby the center of the
9174distortion. This value has a range [0,1] and is expressed as fractions of the image
9175height.
9176@item k1
9177Coefficient of the quadratic correction term. 0.5 means no correction.
9178@item k2
9179Coefficient of the double quadratic correction term. 0.5 means no correction.
9180@end table
9181
9182The formula that generates the correction is:
9183
9184@var{r_src} = @var{r_tgt} * (1 + @var{k1} * (@var{r_tgt} / @var{r_0})^2 + @var{k2} * (@var{r_tgt} / @var{r_0})^4)
9185
9186where @var{r_0} is halve of the image diagonal and @var{r_src} and @var{r_tgt} are the
9187distances from the focal point in the source and target images, respectively.
9188
9189@section loop
9190
9191Loop video frames.
9192
9193The filter accepts the following options:
9194
9195@table @option
9196@item loop
9197Set the number of loops.
9198
9199@item size
9200Set maximal size in number of frames.
9201
9202@item start
9203Set first frame of loop.
9204@end table
9205
9206@anchor{lut3d}
9207@section lut3d
9208
9209Apply a 3D LUT to an input video.
9210
9211The filter accepts the following options:
9212
9213@table @option
9214@item file
9215Set the 3D LUT file name.
9216
9217Currently supported formats:
9218@table @samp
9219@item 3dl
9220AfterEffects
9221@item cube
9222Iridas
9223@item dat
9224DaVinci
9225@item m3d
9226Pandora
9227@end table
9228@item interp
9229Select interpolation mode.
9230
9231Available values are:
9232
9233@table @samp
9234@item nearest
9235Use values from the nearest defined point.
9236@item trilinear
9237Interpolate values using the 8 points defining a cube.
9238@item tetrahedral
9239Interpolate values using a tetrahedron.
9240@end table
9241@end table
9242
9243@section lut, lutrgb, lutyuv
9244
9245Compute a look-up table for binding each pixel component input value
9246to an output value, and apply it to the input video.
9247
9248@var{lutyuv} applies a lookup table to a YUV input video, @var{lutrgb}
9249to an RGB input video.
9250
9251These filters accept the following parameters:
9252@table @option
9253@item c0
9254set first pixel component expression
9255@item c1
9256set second pixel component expression
9257@item c2
9258set third pixel component expression
9259@item c3
9260set fourth pixel component expression, corresponds to the alpha component
9261
9262@item r
9263set red component expression
9264@item g
9265set green component expression
9266@item b
9267set blue component expression
9268@item a
9269alpha component expression
9270
9271@item y
9272set Y/luminance component expression
9273@item u
9274set U/Cb component expression
9275@item v
9276set V/Cr component expression
9277@end table
9278
9279Each of them specifies the expression to use for computing the lookup table for
9280the corresponding pixel component values.
9281
9282The exact component associated to each of the @var{c*} options depends on the
9283format in input.
9284
9285The @var{lut} filter requires either YUV or RGB pixel formats in input,
9286@var{lutrgb} requires RGB pixel formats in input, and @var{lutyuv} requires YUV.
9287
9288The expressions can contain the following constants and functions:
9289
9290@table @option
9291@item w
9292@item h
9293The input width and height.
9294
9295@item val
9296The input value for the pixel component.
9297
9298@item clipval
9299The input value, clipped to the @var{minval}-@var{maxval} range.
9300
9301@item maxval
9302The maximum value for the pixel component.
9303
9304@item minval
9305The minimum value for the pixel component.
9306
9307@item negval
9308The negated value for the pixel component value, clipped to the
9309@var{minval}-@var{maxval} range; it corresponds to the expression
9310"maxval-clipval+minval".
9311
9312@item clip(val)
9313The computed value in @var{val}, clipped to the
9314@var{minval}-@var{maxval} range.
9315
9316@item gammaval(gamma)
9317The computed gamma correction value of the pixel component value,
9318clipped to the @var{minval}-@var{maxval} range. It corresponds to the
9319expression
9320"pow((clipval-minval)/(maxval-minval)\,@var{gamma})*(maxval-minval)+minval"
9321
9322@end table
9323
9324All expressions default to "val".
9325
9326@subsection Examples
9327
9328@itemize
9329@item
9330Negate input video:
9331@example
9332lutrgb="r=maxval+minval-val:g=maxval+minval-val:b=maxval+minval-val"
9333lutyuv="y=maxval+minval-val:u=maxval+minval-val:v=maxval+minval-val"
9334@end example
9335
9336The above is the same as:
9337@example
9338lutrgb="r=negval:g=negval:b=negval"
9339lutyuv="y=negval:u=negval:v=negval"
9340@end example
9341
9342@item
9343Negate luminance:
9344@example
9345lutyuv=y=negval
9346@end example
9347
9348@item
9349Remove chroma components, turning the video into a graytone image:
9350@example
9351lutyuv="u=128:v=128"
9352@end example
9353
9354@item
9355Apply a luma burning effect:
9356@example
9357lutyuv="y=2*val"
9358@end example
9359
9360@item
9361Remove green and blue components:
9362@example
9363lutrgb="g=0:b=0"
9364@end example
9365
9366@item
9367Set a constant alpha channel value on input:
9368@example
9369format=rgba,lutrgb=a="maxval-minval/2"
9370@end example
9371
9372@item
9373Correct luminance gamma by a factor of 0.5:
9374@example
9375lutyuv=y=gammaval(0.5)
9376@end example
9377
9378@item
9379Discard least significant bits of luma:
9380@example
9381lutyuv=y='bitand(val, 128+64+32)'
9382@end example
9383
9384@item
9385Technicolor like effect:
9386@example
9387lutyuv=u='(val-maxval/2)*2+maxval/2':v='(val-maxval/2)*2+maxval/2'
9388@end example
9389@end itemize
9390
9391@section lut2
9392
9393Compute and apply a lookup table from two video inputs.
9394
9395This filter accepts the following parameters:
9396@table @option
9397@item c0
9398set first pixel component expression
9399@item c1
9400set second pixel component expression
9401@item c2
9402set third pixel component expression
9403@item c3
9404set fourth pixel component expression, corresponds to the alpha component
9405@end table
9406
9407Each of them specifies the expression to use for computing the lookup table for
9408the corresponding pixel component values.
9409
9410The exact component associated to each of the @var{c*} options depends on the
9411format in inputs.
9412
9413The expressions can contain the following constants:
9414
9415@table @option
9416@item w
9417@item h
9418The input width and height.
9419
9420@item x
9421The first input value for the pixel component.
9422
9423@item y
9424The second input value for the pixel component.
9425
9426@item bdx
9427The first input video bit depth.
9428
9429@item bdy
9430The second input video bit depth.
9431@end table
9432
9433All expressions default to "x".
9434
9435@subsection Examples
9436
9437@itemize
9438@item
9439Highlight differences between two RGB video streams:
9440@example
9441lut2='ifnot(x-y,0,pow(2,bdx)-1):ifnot(x-y,0,pow(2,bdx)-1):ifnot(x-y,0,pow(2,bdx)-1)'
9442@end example
9443
9444@item
9445Highlight differences between two YUV video streams:
9446@example
9447lut2='ifnot(x-y,0,pow(2,bdx)-1):ifnot(x-y,pow(2,bdx-1),pow(2,bdx)-1):ifnot(x-y,pow(2,bdx-1),pow(2,bdx)-1)'
9448@end example
9449@end itemize
9450
9451@section maskedclamp
9452
9453Clamp the first input stream with the second input and third input stream.
9454
9455Returns the value of first stream to be between second input
9456stream - @code{undershoot} and third input stream + @code{overshoot}.
9457
9458This filter accepts the following options:
9459@table @option
9460@item undershoot
9461Default value is @code{0}.
9462
9463@item overshoot
9464Default value is @code{0}.
9465
9466@item planes
9467Set which planes will be processed as bitmap, unprocessed planes will be
9468copied from first stream.
9469By default value 0xf, all planes will be processed.
9470@end table
9471
9472@section maskedmerge
9473
9474Merge the first input stream with the second input stream using per pixel
9475weights in the third input stream.
9476
9477A value of 0 in the third stream pixel component means that pixel component
9478from first stream is returned unchanged, while maximum value (eg. 255 for
94798-bit videos) means that pixel component from second stream is returned
9480unchanged. Intermediate values define the amount of merging between both
9481input stream's pixel components.
9482
9483This filter accepts the following options:
9484@table @option
9485@item planes
9486Set which planes will be processed as bitmap, unprocessed planes will be
9487copied from first stream.
9488By default value 0xf, all planes will be processed.
9489@end table
9490
9491@section mcdeint
9492
9493Apply motion-compensation deinterlacing.
9494
9495It needs one field per frame as input and must thus be used together
9496with yadif=1/3 or equivalent.
9497
9498This filter accepts the following options:
9499@table @option
9500@item mode
9501Set the deinterlacing mode.
9502
9503It accepts one of the following values:
9504@table @samp
9505@item fast
9506@item medium
9507@item slow
9508use iterative motion estimation
9509@item extra_slow
9510like @samp{slow}, but use multiple reference frames.
9511@end table
9512Default value is @samp{fast}.
9513
9514@item parity
9515Set the picture field parity assumed for the input video. It must be
9516one of the following values:
9517
9518@table @samp
9519@item 0, tff
9520assume top field first
9521@item 1, bff
9522assume bottom field first
9523@end table
9524
9525Default value is @samp{bff}.
9526
9527@item qp
9528Set per-block quantization parameter (QP) used by the internal
9529encoder.
9530
9531Higher values should result in a smoother motion vector field but less
9532optimal individual vectors. Default value is 1.
9533@end table
9534
9535@section mergeplanes
9536
9537Merge color channel components from several video streams.
9538
9539The filter accepts up to 4 input streams, and merge selected input
9540planes to the output video.
9541
9542This filter accepts the following options:
9543@table @option
9544@item mapping
9545Set input to output plane mapping. Default is @code{0}.
9546
9547The mappings is specified as a bitmap. It should be specified as a
9548hexadecimal number in the form 0xAa[Bb[Cc[Dd]]]. 'Aa' describes the
9549mapping for the first plane of the output stream. 'A' sets the number of
9550the input stream to use (from 0 to 3), and 'a' the plane number of the
9551corresponding input to use (from 0 to 3). The rest of the mappings is
9552similar, 'Bb' describes the mapping for the output stream second
9553plane, 'Cc' describes the mapping for the output stream third plane and
9554'Dd' describes the mapping for the output stream fourth plane.
9555
9556@item format
9557Set output pixel format. Default is @code{yuva444p}.
9558@end table
9559
9560@subsection Examples
9561
9562@itemize
9563@item
9564Merge three gray video streams of same width and height into single video stream:
9565@example
9566[a0][a1][a2]mergeplanes=0x001020:yuv444p
9567@end example
9568
9569@item
9570Merge 1st yuv444p stream and 2nd gray video stream into yuva444p video stream:
9571@example
9572[a0][a1]mergeplanes=0x00010210:yuva444p
9573@end example
9574
9575@item
9576Swap Y and A plane in yuva444p stream:
9577@example
9578format=yuva444p,mergeplanes=0x03010200:yuva444p
9579@end example
9580
9581@item
9582Swap U and V plane in yuv420p stream:
9583@example
9584format=yuv420p,mergeplanes=0x000201:yuv420p
9585@end example
9586
9587@item
9588Cast a rgb24 clip to yuv444p:
9589@example
9590format=rgb24,mergeplanes=0x000102:yuv444p
9591@end example
9592@end itemize
9593
9594@section mestimate
9595
9596Estimate and export motion vectors using block matching algorithms.
9597Motion vectors are stored in frame side data to be used by other filters.
9598
9599This filter accepts the following options:
9600@table @option
9601@item method
9602Specify the motion estimation method. Accepts one of the following values:
9603
9604@table @samp
9605@item esa
9606Exhaustive search algorithm.
9607@item tss
9608Three step search algorithm.
9609@item tdls
9610Two dimensional logarithmic search algorithm.
9611@item ntss
9612New three step search algorithm.
9613@item fss
9614Four step search algorithm.
9615@item ds
9616Diamond search algorithm.
9617@item hexbs
9618Hexagon-based search algorithm.
9619@item epzs
9620Enhanced predictive zonal search algorithm.
9621@item umh
9622Uneven multi-hexagon search algorithm.
9623@end table
9624Default value is @samp{esa}.
9625
9626@item mb_size
9627Macroblock size. Default @code{16}.
9628
9629@item search_param
9630Search parameter. Default @code{7}.
9631@end table
9632
9633@section midequalizer
9634
9635Apply Midway Image Equalization effect using two video streams.
9636
9637Midway Image Equalization adjusts a pair of images to have the same
9638histogram, while maintaining their dynamics as much as possible. It's
9639useful for e.g. matching exposures from a pair of stereo cameras.
9640
9641This filter has two inputs and one output, which must be of same pixel format, but
9642may be of different sizes. The output of filter is first input adjusted with
9643midway histogram of both inputs.
9644
9645This filter accepts the following option:
9646
9647@table @option
9648@item planes
9649Set which planes to process. Default is @code{15}, which is all available planes.
9650@end table
9651
9652@section minterpolate
9653
9654Convert the video to specified frame rate using motion interpolation.
9655
9656This filter accepts the following options:
9657@table @option
9658@item fps
9659Specify the output frame rate. This can be rational e.g. @code{60000/1001}. Frames are dropped if @var{fps} is lower than source fps. Default @code{60}.
9660
9661@item mi_mode
9662Motion interpolation mode. Following values are accepted:
9663@table @samp
9664@item dup
9665Duplicate previous or next frame for interpolating new ones.
9666@item blend
9667Blend source frames. Interpolated frame is mean of previous and next frames.
9668@item mci
9669Motion compensated interpolation. Following options are effective when this mode is selected:
9670
9671@table @samp
9672@item mc_mode
9673Motion compensation mode. Following values are accepted:
9674@table @samp
9675@item obmc
9676Overlapped block motion compensation.
9677@item aobmc
9678Adaptive overlapped block motion compensation. Window weighting coefficients are controlled adaptively according to the reliabilities of the neighboring motion vectors to reduce oversmoothing.
9679@end table
9680Default mode is @samp{obmc}.
9681
9682@item me_mode
9683Motion estimation mode. Following values are accepted:
9684@table @samp
9685@item bidir
9686Bidirectional motion estimation. Motion vectors are estimated for each source frame in both forward and backward directions.
9687@item bilat
9688Bilateral motion estimation. Motion vectors are estimated directly for interpolated frame.
9689@end table
9690Default mode is @samp{bilat}.
9691
9692@item me
9693The algorithm to be used for motion estimation. Following values are accepted:
9694@table @samp
9695@item esa
9696Exhaustive search algorithm.
9697@item tss
9698Three step search algorithm.
9699@item tdls
9700Two dimensional logarithmic search algorithm.
9701@item ntss
9702New three step search algorithm.
9703@item fss
9704Four step search algorithm.
9705@item ds
9706Diamond search algorithm.
9707@item hexbs
9708Hexagon-based search algorithm.
9709@item epzs
9710Enhanced predictive zonal search algorithm.
9711@item umh
9712Uneven multi-hexagon search algorithm.
9713@end table
9714Default algorithm is @samp{epzs}.
9715
9716@item mb_size
9717Macroblock size. Default @code{16}.
9718
9719@item search_param
9720Motion estimation search parameter. Default @code{32}.
9721
9722@item vsbmc
9723Enable variable-size block motion compensation. Motion estimation is applied with smaller block sizes at object boundaries in order to make the them less blur. Default is @code{0} (disabled).
9724@end table
9725@end table
9726
9727@item scd
9728Scene change detection method. Scene change leads motion vectors to be in random direction. Scene change detection replace interpolated frames by duplicate ones. May not be needed for other modes. Following values are accepted:
9729@table @samp
9730@item none
9731Disable scene change detection.
9732@item fdiff
9733Frame difference. Corresponding pixel values are compared and if it satisfies @var{scd_threshold} scene change is detected.
9734@end table
9735Default method is @samp{fdiff}.
9736
9737@item scd_threshold
9738Scene change detection threshold. Default is @code{5.0}.
9739@end table
9740
9741@section mpdecimate
9742
9743Drop frames that do not differ greatly from the previous frame in
9744order to reduce frame rate.
9745
9746The main use of this filter is for very-low-bitrate encoding
9747(e.g. streaming over dialup modem), but it could in theory be used for
9748fixing movies that were inverse-telecined incorrectly.
9749
9750A description of the accepted options follows.
9751
9752@table @option
9753@item max
9754Set the maximum number of consecutive frames which can be dropped (if
9755positive), or the minimum interval between dropped frames (if
9756negative). If the value is 0, the frame is dropped unregarding the
9757number of previous sequentially dropped frames.
9758
9759Default value is 0.
9760
9761@item hi
9762@item lo
9763@item frac
9764Set the dropping threshold values.
9765
9766Values for @option{hi} and @option{lo} are for 8x8 pixel blocks and
9767represent actual pixel value differences, so a threshold of 64
9768corresponds to 1 unit of difference for each pixel, or the same spread
9769out differently over the block.
9770
9771A frame is a candidate for dropping if no 8x8 blocks differ by more
9772than a threshold of @option{hi}, and if no more than @option{frac} blocks (1
9773meaning the whole image) differ by more than a threshold of @option{lo}.
9774
9775Default value for @option{hi} is 64*12, default value for @option{lo} is
977664*5, and default value for @option{frac} is 0.33.
9777@end table
9778
9779
9780@section negate
9781
9782Negate input video.
9783
9784It accepts an integer in input; if non-zero it negates the
9785alpha component (if available). The default value in input is 0.
9786
9787@section nlmeans
9788
9789Denoise frames using Non-Local Means algorithm.
9790
9791Each pixel is adjusted by looking for other pixels with similar contexts. This
9792context similarity is defined by comparing their surrounding patches of size
9793@option{p}x@option{p}. Patches are searched in an area of @option{r}x@option{r}
9794around the pixel.
9795
9796Note that the research area defines centers for patches, which means some
9797patches will be made of pixels outside that research area.
9798
9799The filter accepts the following options.
9800
9801@table @option
9802@item s
9803Set denoising strength.
9804
9805@item p
9806Set patch size.
9807
9808@item pc
9809Same as @option{p} but for chroma planes.
9810
9811The default value is @var{0} and means automatic.
9812
9813@item r
9814Set research size.
9815
9816@item rc
9817Same as @option{r} but for chroma planes.
9818
9819The default value is @var{0} and means automatic.
9820@end table
9821
9822@section nnedi
9823
9824Deinterlace video using neural network edge directed interpolation.
9825
9826This filter accepts the following options:
9827
9828@table @option
9829@item weights
9830Mandatory option, without binary file filter can not work.
9831Currently file can be found here:
9832https://github.com/dubhater/vapoursynth-nnedi3/blob/master/src/nnedi3_weights.bin
9833
9834@item deint
9835Set which frames to deinterlace, by default it is @code{all}.
9836Can be @code{all} or @code{interlaced}.
9837
9838@item field
9839Set mode of operation.
9840
9841Can be one of the following:
9842
9843@table @samp
9844@item af
9845Use frame flags, both fields.
9846@item a
9847Use frame flags, single field.
9848@item t
9849Use top field only.
9850@item b
9851Use bottom field only.
9852@item tf
9853Use both fields, top first.
9854@item bf
9855Use both fields, bottom first.
9856@end table
9857
9858@item planes
9859Set which planes to process, by default filter process all frames.
9860
9861@item nsize
9862Set size of local neighborhood around each pixel, used by the predictor neural
9863network.
9864
9865Can be one of the following:
9866
9867@table @samp
9868@item s8x6
9869@item s16x6
9870@item s32x6
9871@item s48x6
9872@item s8x4
9873@item s16x4
9874@item s32x4
9875@end table
9876
9877@item nns
9878Set the number of neurons in predicctor neural network.
9879Can be one of the following:
9880
9881@table @samp
9882@item n16
9883@item n32
9884@item n64
9885@item n128
9886@item n256
9887@end table
9888
9889@item qual
9890Controls the number of different neural network predictions that are blended
9891together to compute the final output value. Can be @code{fast}, default or
9892@code{slow}.
9893
9894@item etype
9895Set which set of weights to use in the predictor.
9896Can be one of the following:
9897
9898@table @samp
9899@item a
9900weights trained to minimize absolute error
9901@item s
9902weights trained to minimize squared error
9903@end table
9904
9905@item pscrn
9906Controls whether or not the prescreener neural network is used to decide
9907which pixels should be processed by the predictor neural network and which
9908can be handled by simple cubic interpolation.
9909The prescreener is trained to know whether cubic interpolation will be
9910sufficient for a pixel or whether it should be predicted by the predictor nn.
9911The computational complexity of the prescreener nn is much less than that of
9912the predictor nn. Since most pixels can be handled by cubic interpolation,
9913using the prescreener generally results in much faster processing.
9914The prescreener is pretty accurate, so the difference between using it and not
9915using it is almost always unnoticeable.
9916
9917Can be one of the following:
9918
9919@table @samp
9920@item none
9921@item original
9922@item new
9923@end table
9924
9925Default is @code{new}.
9926
9927@item fapprox
9928Set various debugging flags.
9929@end table
9930
9931@section noformat
9932
9933Force libavfilter not to use any of the specified pixel formats for the
9934input to the next filter.
9935
9936It accepts the following parameters:
9937@table @option
9938
9939@item pix_fmts
9940A '|'-separated list of pixel format names, such as
9941apix_fmts=yuv420p|monow|rgb24".
9942
9943@end table
9944
9945@subsection Examples
9946
9947@itemize
9948@item
9949Force libavfilter to use a format different from @var{yuv420p} for the
9950input to the vflip filter:
9951@example
9952noformat=pix_fmts=yuv420p,vflip
9953@end example
9954
9955@item
9956Convert the input video to any of the formats not contained in the list:
9957@example
9958noformat=yuv420p|yuv444p|yuv410p
9959@end example
9960@end itemize
9961
9962@section noise
9963
9964Add noise on video input frame.
9965
9966The filter accepts the following options:
9967
9968@table @option
9969@item all_seed
9970@item c0_seed
9971@item c1_seed
9972@item c2_seed
9973@item c3_seed
9974Set noise seed for specific pixel component or all pixel components in case
9975of @var{all_seed}. Default value is @code{123457}.
9976
9977@item all_strength, alls
9978@item c0_strength, c0s
9979@item c1_strength, c1s
9980@item c2_strength, c2s
9981@item c3_strength, c3s
9982Set noise strength for specific pixel component or all pixel components in case
9983@var{all_strength}. Default value is @code{0}. Allowed range is [0, 100].
9984
9985@item all_flags, allf
9986@item c0_flags, c0f
9987@item c1_flags, c1f
9988@item c2_flags, c2f
9989@item c3_flags, c3f
9990Set pixel component flags or set flags for all components if @var{all_flags}.
9991Available values for component flags are:
9992@table @samp
9993@item a
9994averaged temporal noise (smoother)
9995@item p
9996mix random noise with a (semi)regular pattern
9997@item t
9998temporal noise (noise pattern changes between frames)
9999@item u
10000uniform noise (gaussian otherwise)
10001@end table
10002@end table
10003
10004@subsection Examples
10005
10006Add temporal and uniform noise to input video:
10007@example
10008noise=alls=20:allf=t+u
10009@end example
10010
10011@section null
10012
10013Pass the video source unchanged to the output.
10014
10015@section ocr
10016Optical Character Recognition
10017
10018This filter uses Tesseract for optical character recognition.
10019
10020It accepts the following options:
10021
10022@table @option
10023@item datapath
10024Set datapath to tesseract data. Default is to use whatever was
10025set at installation.
10026
10027@item language
10028Set language, default is "eng".
10029
10030@item whitelist
10031Set character whitelist.
10032
10033@item blacklist
10034Set character blacklist.
10035@end table
10036
10037The filter exports recognized text as the frame metadata @code{lavfi.ocr.text}.
10038
10039@section ocv
10040
10041Apply a video transform using libopencv.
10042
10043To enable this filter, install the libopencv library and headers and
10044configure FFmpeg with @code{--enable-libopencv}.
10045
10046It accepts the following parameters:
10047
10048@table @option
10049
10050@item filter_name
10051The name of the libopencv filter to apply.
10052
10053@item filter_params
10054The parameters to pass to the libopencv filter. If not specified, the default
10055values are assumed.
10056
10057@end table
10058
10059Refer to the official libopencv documentation for more precise
10060information:
10061@url{http://docs.opencv.org/master/modules/imgproc/doc/filtering.html}
10062
10063Several libopencv filters are supported; see the following subsections.
10064
10065@anchor{dilate}
10066@subsection dilate
10067
10068Dilate an image by using a specific structuring element.
10069It corresponds to the libopencv function @code{cvDilate}.
10070
10071It accepts the parameters: @var{struct_el}|@var{nb_iterations}.
10072
10073@var{struct_el} represents a structuring element, and has the syntax:
10074@var{cols}x@var{rows}+@var{anchor_x}x@var{anchor_y}/@var{shape}
10075
10076@var{cols} and @var{rows} represent the number of columns and rows of
10077the structuring element, @var{anchor_x} and @var{anchor_y} the anchor
10078point, and @var{shape} the shape for the structuring element. @var{shape}
10079must be "rect", "cross", "ellipse", or "custom".
10080
10081If the value for @var{shape} is "custom", it must be followed by a
10082string of the form "=@var{filename}". The file with name
10083@var{filename} is assumed to represent a binary image, with each
10084printable character corresponding to a bright pixel. When a custom
10085@var{shape} is used, @var{cols} and @var{rows} are ignored, the number
10086or columns and rows of the read file are assumed instead.
10087
10088The default value for @var{struct_el} is "3x3+0x0/rect".
10089
10090@var{nb_iterations} specifies the number of times the transform is
10091applied to the image, and defaults to 1.
10092
10093Some examples:
10094@example
10095# Use the default values
10096ocv=dilate
10097
10098# Dilate using a structuring element with a 5x5 cross, iterating two times
10099ocv=filter_name=dilate:filter_params=5x5+2x2/cross|2
10100
10101# Read the shape from the file diamond.shape, iterating two times.
10102# The file diamond.shape may contain a pattern of characters like this
10103# *
10104# ***
10105# *****
10106# ***
10107# *
10108# The specified columns and rows are ignored
10109# but the anchor point coordinates are not
10110ocv=dilate:0x0+2x2/custom=diamond.shape|2
10111@end example
10112
10113@subsection erode
10114
10115Erode an image by using a specific structuring element.
10116It corresponds to the libopencv function @code{cvErode}.
10117
10118It accepts the parameters: @var{struct_el}:@var{nb_iterations},
10119with the same syntax and semantics as the @ref{dilate} filter.
10120
10121@subsection smooth
10122
10123Smooth the input video.
10124
10125The filter takes the following parameters:
10126@var{type}|@var{param1}|@var{param2}|@var{param3}|@var{param4}.
10127
10128@var{type} is the type of smooth filter to apply, and must be one of
10129the following values: "blur", "blur_no_scale", "median", "gaussian",
10130or "bilateral". The default value is "gaussian".
10131
10132The meaning of @var{param1}, @var{param2}, @var{param3}, and @var{param4}
10133depend on the smooth type. @var{param1} and
10134@var{param2} accept integer positive values or 0. @var{param3} and
10135@var{param4} accept floating point values.
10136
10137The default value for @var{param1} is 3. The default value for the
10138other parameters is 0.
10139
10140These parameters correspond to the parameters assigned to the
10141libopencv function @code{cvSmooth}.
10142
10143@anchor{overlay}
10144@section overlay
10145
10146Overlay one video on top of another.
10147
10148It takes two inputs and has one output. The first input is the "main"
10149video on which the second input is overlaid.
10150
10151It accepts the following parameters:
10152
10153A description of the accepted options follows.
10154
10155@table @option
10156@item x
10157@item y
10158Set the expression for the x and y coordinates of the overlaid video
10159on the main video. Default value is "0" for both expressions. In case
10160the expression is invalid, it is set to a huge value (meaning that the
10161overlay will not be displayed within the output visible area).
10162
10163@item eof_action
10164The action to take when EOF is encountered on the secondary input; it accepts
10165one of the following values:
10166
10167@table @option
10168@item repeat
10169Repeat the last frame (the default).
10170@item endall
10171End both streams.
10172@item pass
10173Pass the main input through.
10174@end table
10175
10176@item eval
10177Set when the expressions for @option{x}, and @option{y} are evaluated.
10178
10179It accepts the following values:
10180@table @samp
10181@item init
10182only evaluate expressions once during the filter initialization or
10183when a command is processed
10184
10185@item frame
10186evaluate expressions for each incoming frame
10187@end table
10188
10189Default value is @samp{frame}.
10190
10191@item shortest
10192If set to 1, force the output to terminate when the shortest input
10193terminates. Default value is 0.
10194
10195@item format
10196Set the format for the output video.
10197
10198It accepts the following values:
10199@table @samp
10200@item yuv420
10201force YUV420 output
10202
10203@item yuv422
10204force YUV422 output
10205
10206@item yuv444
10207force YUV444 output
10208
10209@item rgb
10210force packed RGB output
10211
10212@item gbrp
10213force planar RGB output
10214@end table
10215
10216Default value is @samp{yuv420}.
10217
10218@item rgb @emph{(deprecated)}
10219If set to 1, force the filter to accept inputs in the RGB
10220color space. Default value is 0. This option is deprecated, use
10221@option{format} instead.
10222
10223@item repeatlast
10224If set to 1, force the filter to draw the last overlay frame over the
10225main input until the end of the stream. A value of 0 disables this
10226behavior. Default value is 1.
10227@end table
10228
10229The @option{x}, and @option{y} expressions can contain the following
10230parameters.
10231
10232@table @option
10233@item main_w, W
10234@item main_h, H
10235The main input width and height.
10236
10237@item overlay_w, w
10238@item overlay_h, h
10239The overlay input width and height.
10240
10241@item x
10242@item y
10243The computed values for @var{x} and @var{y}. They are evaluated for
10244each new frame.
10245
10246@item hsub
10247@item vsub
10248horizontal and vertical chroma subsample values of the output
10249format. For example for the pixel format "yuv422p" @var{hsub} is 2 and
10250@var{vsub} is 1.
10251
10252@item n
10253the number of input frame, starting from 0
10254
10255@item pos
10256the position in the file of the input frame, NAN if unknown
10257
10258@item t
10259The timestamp, expressed in seconds. It's NAN if the input timestamp is unknown.
10260
10261@end table
10262
10263Note that the @var{n}, @var{pos}, @var{t} variables are available only
10264when evaluation is done @emph{per frame}, and will evaluate to NAN
10265when @option{eval} is set to @samp{init}.
10266
10267Be aware that frames are taken from each input video in timestamp
10268order, hence, if their initial timestamps differ, it is a good idea
10269to pass the two inputs through a @var{setpts=PTS-STARTPTS} filter to
10270have them begin in the same zero timestamp, as the example for
10271the @var{movie} filter does.
10272
10273You can chain together more overlays but you should test the
10274efficiency of such approach.
10275
10276@subsection Commands
10277
10278This filter supports the following commands:
10279@table @option
10280@item x
10281@item y
10282Modify the x and y of the overlay input.
10283The command accepts the same syntax of the corresponding option.
10284
10285If the specified expression is not valid, it is kept at its current
10286value.
10287@end table
10288
10289@subsection Examples
10290
10291@itemize
10292@item
10293Draw the overlay at 10 pixels from the bottom right corner of the main
10294video:
10295@example
10296overlay=main_w-overlay_w-10:main_h-overlay_h-10
10297@end example
10298
10299Using named options the example above becomes:
10300@example
10301overlay=x=main_w-overlay_w-10:y=main_h-overlay_h-10
10302@end example
10303
10304@item
10305Insert a transparent PNG logo in the bottom left corner of the input,
10306using the @command{ffmpeg} tool with the @code{-filter_complex} option:
10307@example
10308ffmpeg -i input -i logo -filter_complex 'overlay=10:main_h-overlay_h-10' output
10309@end example
10310
10311@item
10312Insert 2 different transparent PNG logos (second logo on bottom
10313right corner) using the @command{ffmpeg} tool:
10314@example
10315ffmpeg -i input -i logo1 -i logo2 -filter_complex 'overlay=x=10:y=H-h-10,overlay=x=W-w-10:y=H-h-10' output
10316@end example
10317
10318@item
10319Add a transparent color layer on top of the main video; @code{WxH}
10320must specify the size of the main input to the overlay filter:
10321@example
10322color=color=red@@.3:size=WxH [over]; [in][over] overlay [out]
10323@end example
10324
10325@item
10326Play an original video and a filtered version (here with the deshake
10327filter) side by side using the @command{ffplay} tool:
10328@example
10329ffplay input.avi -vf 'split[a][b]; [a]pad=iw*2:ih[src]; [b]deshake[filt]; [src][filt]overlay=w'
10330@end example
10331
10332The above command is the same as:
10333@example
10334ffplay input.avi -vf 'split[b], pad=iw*2[src], [b]deshake, [src]overlay=w'
10335@end example
10336
10337@item
10338Make a sliding overlay appearing from the left to the right top part of the
10339screen starting since time 2:
10340@example
10341overlay=x='if(gte(t,2), -w+(t-2)*20, NAN)':y=0
10342@end example
10343
10344@item
10345Compose output by putting two input videos side to side:
10346@example
10347ffmpeg -i left.avi -i right.avi -filter_complex "
10348nullsrc=size=200x100 [background];
10349[0:v] setpts=PTS-STARTPTS, scale=100x100 [left];
10350[1:v] setpts=PTS-STARTPTS, scale=100x100 [right];
10351[background][left] overlay=shortest=1 [background+left];
10352[background+left][right] overlay=shortest=1:x=100 [left+right]
10353"
10354@end example
10355
10356@item
10357Mask 10-20 seconds of a video by applying the delogo filter to a section
10358@example
10359ffmpeg -i test.avi -codec:v:0 wmv2 -ar 11025 -b:v 9000k
10360-vf '[in]split[split_main][split_delogo];[split_delogo]trim=start=360:end=371,delogo=0:0:640:480[delogoed];[split_main][delogoed]overlay=eof_action=pass[out]'
10361masked.avi
10362@end example
10363
10364@item
10365Chain several overlays in cascade:
10366@example
10367nullsrc=s=200x200 [bg];
10368testsrc=s=100x100, split=4 [in0][in1][in2][in3];
10369[in0] lutrgb=r=0, [bg] overlay=0:0 [mid0];
10370[in1] lutrgb=g=0, [mid0] overlay=100:0 [mid1];
10371[in2] lutrgb=b=0, [mid1] overlay=0:100 [mid2];
10372[in3] null, [mid2] overlay=100:100 [out0]
10373@end example
10374
10375@end itemize
10376
10377@section owdenoise
10378
10379Apply Overcomplete Wavelet denoiser.
10380
10381The filter accepts the following options:
10382
10383@table @option
10384@item depth
10385Set depth.
10386
10387Larger depth values will denoise lower frequency components more, but
10388slow down filtering.
10389
10390Must be an int in the range 8-16, default is @code{8}.
10391
10392@item luma_strength, ls
10393Set luma strength.
10394
10395Must be a double value in the range 0-1000, default is @code{1.0}.
10396
10397@item chroma_strength, cs
10398Set chroma strength.
10399
10400Must be a double value in the range 0-1000, default is @code{1.0}.
10401@end table
10402
10403@anchor{pad}
10404@section pad
10405
10406Add paddings to the input image, and place the original input at the
10407provided @var{x}, @var{y} coordinates.
10408
10409It accepts the following parameters:
10410
10411@table @option
10412@item width, w
10413@item height, h
10414Specify an expression for the size of the output image with the
10415paddings added. If the value for @var{width} or @var{height} is 0, the
10416corresponding input size is used for the output.
10417
10418The @var{width} expression can reference the value set by the
10419@var{height} expression, and vice versa.
10420
10421The default value of @var{width} and @var{height} is 0.
10422
10423@item x
10424@item y
10425Specify the offsets to place the input image at within the padded area,
10426with respect to the top/left border of the output image.
10427
10428The @var{x} expression can reference the value set by the @var{y}
10429expression, and vice versa.
10430
10431The default value of @var{x} and @var{y} is 0.
10432
10433@item color
10434Specify the color of the padded area. For the syntax of this option,
10435check the "Color" section in the ffmpeg-utils manual.
10436
10437The default value of @var{color} is "black".
10438
10439@item eval
10440Specify when to evaluate @var{width}, @var{height}, @var{x} and @var{y} expression.
10441
10442It accepts the following values:
10443
10444@table @samp
10445@item init
10446Only evaluate expressions once during the filter initialization or when
10447a command is processed.
10448
10449@item frame
10450Evaluate expressions for each incoming frame.
10451
10452@end table
10453
10454Default value is @samp{init}.
10455
10456@end table
10457
10458The value for the @var{width}, @var{height}, @var{x}, and @var{y}
10459options are expressions containing the following constants:
10460
10461@table @option
10462@item in_w
10463@item in_h
10464The input video width and height.
10465
10466@item iw
10467@item ih
10468These are the same as @var{in_w} and @var{in_h}.
10469
10470@item out_w
10471@item out_h
10472The output width and height (the size of the padded area), as
10473specified by the @var{width} and @var{height} expressions.
10474
10475@item ow
10476@item oh
10477These are the same as @var{out_w} and @var{out_h}.
10478
10479@item x
10480@item y
10481The x and y offsets as specified by the @var{x} and @var{y}
10482expressions, or NAN if not yet specified.
10483
10484@item a
10485same as @var{iw} / @var{ih}
10486
10487@item sar
10488input sample aspect ratio
10489
10490@item dar
10491input display aspect ratio, it is the same as (@var{iw} / @var{ih}) * @var{sar}
10492
10493@item hsub
10494@item vsub
10495The horizontal and vertical chroma subsample values. For example for the
10496pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
10497@end table
10498
10499@subsection Examples
10500
10501@itemize
10502@item
10503Add paddings with the color "violet" to the input video. The output video
10504size is 640x480, and the top-left corner of the input video is placed at
10505column 0, row 40
10506@example
10507pad=640:480:0:40:violet
10508@end example
10509
10510The example above is equivalent to the following command:
10511@example
10512pad=width=640:height=480:x=0:y=40:color=violet
10513@end example
10514
10515@item
10516Pad the input to get an output with dimensions increased by 3/2,
10517and put the input video at the center of the padded area:
10518@example
10519pad="3/2*iw:3/2*ih:(ow-iw)/2:(oh-ih)/2"
10520@end example
10521
10522@item
10523Pad the input to get a squared output with size equal to the maximum
10524value between the input width and height, and put the input video at
10525the center of the padded area:
10526@example
10527pad="max(iw\,ih):ow:(ow-iw)/2:(oh-ih)/2"
10528@end example
10529
10530@item
10531Pad the input to get a final w/h ratio of 16:9:
10532@example
10533pad="ih*16/9:ih:(ow-iw)/2:(oh-ih)/2"
10534@end example
10535
10536@item
10537In case of anamorphic video, in order to set the output display aspect
10538correctly, it is necessary to use @var{sar} in the expression,
10539according to the relation:
10540@example
10541(ih * X / ih) * sar = output_dar
10542X = output_dar / sar
10543@end example
10544
10545Thus the previous example needs to be modified to:
10546@example
10547pad="ih*16/9/sar:ih:(ow-iw)/2:(oh-ih)/2"
10548@end example
10549
10550@item
10551Double the output size and put the input video in the bottom-right
10552corner of the output padded area:
10553@example
10554pad="2*iw:2*ih:ow-iw:oh-ih"
10555@end example
10556@end itemize
10557
10558@anchor{palettegen}
10559@section palettegen
10560
10561Generate one palette for a whole video stream.
10562
10563It accepts the following options:
10564
10565@table @option
10566@item max_colors
10567Set the maximum number of colors to quantize in the palette.
10568Note: the palette will still contain 256 colors; the unused palette entries
10569will be black.
10570
10571@item reserve_transparent
10572Create a palette of 255 colors maximum and reserve the last one for
10573transparency. Reserving the transparency color is useful for GIF optimization.
10574If not set, the maximum of colors in the palette will be 256. You probably want
10575to disable this option for a standalone image.
10576Set by default.
10577
10578@item stats_mode
10579Set statistics mode.
10580
10581It accepts the following values:
10582@table @samp
10583@item full
10584Compute full frame histograms.
10585@item diff
10586Compute histograms only for the part that differs from previous frame. This
10587might be relevant to give more importance to the moving part of your input if
10588the background is static.
10589@item single
10590Compute new histogram for each frame.
10591@end table
10592
10593Default value is @var{full}.
10594@end table
10595
10596The filter also exports the frame metadata @code{lavfi.color_quant_ratio}
10597(@code{nb_color_in / nb_color_out}) which you can use to evaluate the degree of
10598color quantization of the palette. This information is also visible at
10599@var{info} logging level.
10600
10601@subsection Examples
10602
10603@itemize
10604@item
10605Generate a representative palette of a given video using @command{ffmpeg}:
10606@example
10607ffmpeg -i input.mkv -vf palettegen palette.png
10608@end example
10609@end itemize
10610
10611@section paletteuse
10612
10613Use a palette to downsample an input video stream.
10614
10615The filter takes two inputs: one video stream and a palette. The palette must
10616be a 256 pixels image.
10617
10618It accepts the following options:
10619
10620@table @option
10621@item dither
10622Select dithering mode. Available algorithms are:
10623@table @samp
10624@item bayer
10625Ordered 8x8 bayer dithering (deterministic)
10626@item heckbert
10627Dithering as defined by Paul Heckbert in 1982 (simple error diffusion).
10628Note: this dithering is sometimes considered "wrong" and is included as a
10629reference.
10630@item floyd_steinberg
10631Floyd and Steingberg dithering (error diffusion)
10632@item sierra2
10633Frankie Sierra dithering v2 (error diffusion)
10634@item sierra2_4a
10635Frankie Sierra dithering v2 "Lite" (error diffusion)
10636@end table
10637
10638Default is @var{sierra2_4a}.
10639
10640@item bayer_scale
10641When @var{bayer} dithering is selected, this option defines the scale of the
10642pattern (how much the crosshatch pattern is visible). A low value means more
10643visible pattern for less banding, and higher value means less visible pattern
10644at the cost of more banding.
10645
10646The option must be an integer value in the range [0,5]. Default is @var{2}.
10647
10648@item diff_mode
10649If set, define the zone to process
10650
10651@table @samp
10652@item rectangle
10653Only the changing rectangle will be reprocessed. This is similar to GIF
10654cropping/offsetting compression mechanism. This option can be useful for speed
10655if only a part of the image is changing, and has use cases such as limiting the
10656scope of the error diffusal @option{dither} to the rectangle that bounds the
10657moving scene (it leads to more deterministic output if the scene doesn't change
10658much, and as a result less moving noise and better GIF compression).
10659@end table
10660
10661Default is @var{none}.
10662
10663@item new
10664Take new palette for each output frame.
10665@end table
10666
10667@subsection Examples
10668
10669@itemize
10670@item
10671Use a palette (generated for example with @ref{palettegen}) to encode a GIF
10672using @command{ffmpeg}:
10673@example
10674ffmpeg -i input.mkv -i palette.png -lavfi paletteuse output.gif
10675@end example
10676@end itemize
10677
10678@section perspective
10679
10680Correct perspective of video not recorded perpendicular to the screen.
10681
10682A description of the accepted parameters follows.
10683
10684@table @option
10685@item x0
10686@item y0
10687@item x1
10688@item y1
10689@item x2
10690@item y2
10691@item x3
10692@item y3
10693Set coordinates expression for top left, top right, bottom left and bottom right corners.
10694Default values are @code{0:0:W:0:0:H:W:H} with which perspective will remain unchanged.
10695If the @code{sense} option is set to @code{source}, then the specified points will be sent
10696to the corners of the destination. If the @code{sense} option is set to @code{destination},
10697then the corners of the source will be sent to the specified coordinates.
10698
10699The expressions can use the following variables:
10700
10701@table @option
10702@item W
10703@item H
10704the width and height of video frame.
10705@item in
10706Input frame count.
10707@item on
10708Output frame count.
10709@end table
10710
10711@item interpolation
10712Set interpolation for perspective correction.
10713
10714It accepts the following values:
10715@table @samp
10716@item linear
10717@item cubic
10718@end table
10719
10720Default value is @samp{linear}.
10721
10722@item sense
10723Set interpretation of coordinate options.
10724
10725It accepts the following values:
10726@table @samp
10727@item 0, source
10728
10729Send point in the source specified by the given coordinates to
10730the corners of the destination.
10731
10732@item 1, destination
10733
10734Send the corners of the source to the point in the destination specified
10735by the given coordinates.
10736
10737Default value is @samp{source}.
10738@end table
10739
10740@item eval
10741Set when the expressions for coordinates @option{x0,y0,...x3,y3} are evaluated.
10742
10743It accepts the following values:
10744@table @samp
10745@item init
10746only evaluate expressions once during the filter initialization or
10747when a command is processed
10748
10749@item frame
10750evaluate expressions for each incoming frame
10751@end table
10752
10753Default value is @samp{init}.
10754@end table
10755
10756@section phase
10757
10758Delay interlaced video by one field time so that the field order changes.
10759
10760The intended use is to fix PAL movies that have been captured with the
10761opposite field order to the film-to-video transfer.
10762
10763A description of the accepted parameters follows.
10764
10765@table @option
10766@item mode
10767Set phase mode.
10768
10769It accepts the following values:
10770@table @samp
10771@item t
10772Capture field order top-first, transfer bottom-first.
10773Filter will delay the bottom field.
10774
10775@item b
10776Capture field order bottom-first, transfer top-first.
10777Filter will delay the top field.
10778
10779@item p
10780Capture and transfer with the same field order. This mode only exists
10781for the documentation of the other options to refer to, but if you
10782actually select it, the filter will faithfully do nothing.
10783
10784@item a
10785Capture field order determined automatically by field flags, transfer
10786opposite.
10787Filter selects among @samp{t} and @samp{b} modes on a frame by frame
10788basis using field flags. If no field information is available,
10789then this works just like @samp{u}.
10790
10791@item u
10792Capture unknown or varying, transfer opposite.
10793Filter selects among @samp{t} and @samp{b} on a frame by frame basis by
10794analyzing the images and selecting the alternative that produces best
10795match between the fields.
10796
10797@item T
10798Capture top-first, transfer unknown or varying.
10799Filter selects among @samp{t} and @samp{p} using image analysis.
10800
10801@item B
10802Capture bottom-first, transfer unknown or varying.
10803Filter selects among @samp{b} and @samp{p} using image analysis.
10804
10805@item A
10806Capture determined by field flags, transfer unknown or varying.
10807Filter selects among @samp{t}, @samp{b} and @samp{p} using field flags and
10808image analysis. If no field information is available, then this works just
10809like @samp{U}. This is the default mode.
10810
10811@item U
10812Both capture and transfer unknown or varying.
10813Filter selects among @samp{t}, @samp{b} and @samp{p} using image analysis only.
10814@end table
10815@end table
10816
10817@section pixdesctest
10818
10819Pixel format descriptor test filter, mainly useful for internal
10820testing. The output video should be equal to the input video.
10821
10822For example:
10823@example
10824format=monow, pixdesctest
10825@end example
10826
10827can be used to test the monowhite pixel format descriptor definition.
10828
10829@section pp
10830
10831Enable the specified chain of postprocessing subfilters using libpostproc. This
10832library should be automatically selected with a GPL build (@code{--enable-gpl}).
10833Subfilters must be separated by '/' and can be disabled by prepending a '-'.
10834Each subfilter and some options have a short and a long name that can be used
10835interchangeably, i.e. dr/dering are the same.
10836
10837The filters accept the following options:
10838
10839@table @option
10840@item subfilters
10841Set postprocessing subfilters string.
10842@end table
10843
10844All subfilters share common options to determine their scope:
10845
10846@table @option
10847@item a/autoq
10848Honor the quality commands for this subfilter.
10849
10850@item c/chrom
10851Do chrominance filtering, too (default).
10852
10853@item y/nochrom
10854Do luminance filtering only (no chrominance).
10855
10856@item n/noluma
10857Do chrominance filtering only (no luminance).
10858@end table
10859
10860These options can be appended after the subfilter name, separated by a '|'.
10861
10862Available subfilters are:
10863
10864@table @option
10865@item hb/hdeblock[|difference[|flatness]]
10866Horizontal deblocking filter
10867@table @option
10868@item difference
10869Difference factor where higher values mean more deblocking (default: @code{32}).
10870@item flatness
10871Flatness threshold where lower values mean more deblocking (default: @code{39}).
10872@end table
10873
10874@item vb/vdeblock[|difference[|flatness]]
10875Vertical deblocking filter
10876@table @option
10877@item difference
10878Difference factor where higher values mean more deblocking (default: @code{32}).
10879@item flatness
10880Flatness threshold where lower values mean more deblocking (default: @code{39}).
10881@end table
10882
10883@item ha/hadeblock[|difference[|flatness]]
10884Accurate horizontal deblocking filter
10885@table @option
10886@item difference
10887Difference factor where higher values mean more deblocking (default: @code{32}).
10888@item flatness
10889Flatness threshold where lower values mean more deblocking (default: @code{39}).
10890@end table
10891
10892@item va/vadeblock[|difference[|flatness]]
10893Accurate vertical deblocking filter
10894@table @option
10895@item difference
10896Difference factor where higher values mean more deblocking (default: @code{32}).
10897@item flatness
10898Flatness threshold where lower values mean more deblocking (default: @code{39}).
10899@end table
10900@end table
10901
10902The horizontal and vertical deblocking filters share the difference and
10903flatness values so you cannot set different horizontal and vertical
10904thresholds.
10905
10906@table @option
10907@item h1/x1hdeblock
10908Experimental horizontal deblocking filter
10909
10910@item v1/x1vdeblock
10911Experimental vertical deblocking filter
10912
10913@item dr/dering
10914Deringing filter
10915
10916@item tn/tmpnoise[|threshold1[|threshold2[|threshold3]]], temporal noise reducer
10917@table @option
10918@item threshold1
10919larger -> stronger filtering
10920@item threshold2
10921larger -> stronger filtering
10922@item threshold3
10923larger -> stronger filtering
10924@end table
10925
10926@item al/autolevels[:f/fullyrange], automatic brightness / contrast correction
10927@table @option
10928@item f/fullyrange
10929Stretch luminance to @code{0-255}.
10930@end table
10931
10932@item lb/linblenddeint
10933Linear blend deinterlacing filter that deinterlaces the given block by
10934filtering all lines with a @code{(1 2 1)} filter.
10935
10936@item li/linipoldeint
10937Linear interpolating deinterlacing filter that deinterlaces the given block by
10938linearly interpolating every second line.
10939
10940@item ci/cubicipoldeint
10941Cubic interpolating deinterlacing filter deinterlaces the given block by
10942cubically interpolating every second line.
10943
10944@item md/mediandeint
10945Median deinterlacing filter that deinterlaces the given block by applying a
10946median filter to every second line.
10947
10948@item fd/ffmpegdeint
10949FFmpeg deinterlacing filter that deinterlaces the given block by filtering every
10950second line with a @code{(-1 4 2 4 -1)} filter.
10951
10952@item l5/lowpass5
10953Vertically applied FIR lowpass deinterlacing filter that deinterlaces the given
10954block by filtering all lines with a @code{(-1 2 6 2 -1)} filter.
10955
10956@item fq/forceQuant[|quantizer]
10957Overrides the quantizer table from the input with the constant quantizer you
10958specify.
10959@table @option
10960@item quantizer
10961Quantizer to use
10962@end table
10963
10964@item de/default
10965Default pp filter combination (@code{hb|a,vb|a,dr|a})
10966
10967@item fa/fast
10968Fast pp filter combination (@code{h1|a,v1|a,dr|a})
10969
10970@item ac
10971High quality pp filter combination (@code{ha|a|128|7,va|a,dr|a})
10972@end table
10973
10974@subsection Examples
10975
10976@itemize
10977@item
10978Apply horizontal and vertical deblocking, deringing and automatic
10979brightness/contrast:
10980@example
10981pp=hb/vb/dr/al
10982@end example
10983
10984@item
10985Apply default filters without brightness/contrast correction:
10986@example
10987pp=de/-al
10988@end example
10989
10990@item
10991Apply default filters and temporal denoiser:
10992@example
10993pp=default/tmpnoise|1|2|3
10994@end example
10995
10996@item
10997Apply deblocking on luminance only, and switch vertical deblocking on or off
10998automatically depending on available CPU time:
10999@example
11000pp=hb|y/vb|a
11001@end example
11002@end itemize
11003
11004@section pp7
11005Apply Postprocessing filter 7. It is variant of the @ref{spp} filter,
11006similar to spp = 6 with 7 point DCT, where only the center sample is
11007used after IDCT.
11008
11009The filter accepts the following options:
11010
11011@table @option
11012@item qp
11013Force a constant quantization parameter. It accepts an integer in range
110140 to 63. If not set, the filter will use the QP from the video stream
11015(if available).
11016
11017@item mode
11018Set thresholding mode. Available modes are:
11019
11020@table @samp
11021@item hard
11022Set hard thresholding.
11023@item soft
11024Set soft thresholding (better de-ringing effect, but likely blurrier).
11025@item medium
11026Set medium thresholding (good results, default).
11027@end table
11028@end table
11029
11030@section premultiply
11031Apply alpha premultiply effect to input video stream using first plane
11032of second stream as alpha.
11033
11034Both streams must have same dimensions and same pixel format.
11035
11036@section prewitt
11037Apply prewitt operator to input video stream.
11038
11039The filter accepts the following option:
11040
11041@table @option
11042@item planes
11043Set which planes will be processed, unprocessed planes will be copied.
11044By default value 0xf, all planes will be processed.
11045
11046@item scale
11047Set value which will be multiplied with filtered result.
11048
11049@item delta
11050Set value which will be added to filtered result.
11051@end table
11052
11053@section psnr
11054
11055Obtain the average, maximum and minimum PSNR (Peak Signal to Noise
11056Ratio) between two input videos.
11057
11058This filter takes in input two input videos, the first input is
11059considered the "main" source and is passed unchanged to the
11060output. The second input is used as a "reference" video for computing
11061the PSNR.
11062
11063Both video inputs must have the same resolution and pixel format for
11064this filter to work correctly. Also it assumes that both inputs
11065have the same number of frames, which are compared one by one.
11066
11067The obtained average PSNR is printed through the logging system.
11068
11069The filter stores the accumulated MSE (mean squared error) of each
11070frame, and at the end of the processing it is averaged across all frames
11071equally, and the following formula is applied to obtain the PSNR:
11072
11073@example
11074PSNR = 10*log10(MAX^2/MSE)
11075@end example
11076
11077Where MAX is the average of the maximum values of each component of the
11078image.
11079
11080The description of the accepted parameters follows.
11081
11082@table @option
11083@item stats_file, f
11084If specified the filter will use the named file to save the PSNR of
11085each individual frame. When filename equals "-" the data is sent to
11086standard output.
11087
11088@item stats_version
11089Specifies which version of the stats file format to use. Details of
11090each format are written below.
11091Default value is 1.
11092
11093@item stats_add_max
11094Determines whether the max value is output to the stats log.
11095Default value is 0.
11096Requires stats_version >= 2. If this is set and stats_version < 2,
11097the filter will return an error.
11098@end table
11099
11100The file printed if @var{stats_file} is selected, contains a sequence of
11101key/value pairs of the form @var{key}:@var{value} for each compared
11102couple of frames.
11103
11104If a @var{stats_version} greater than 1 is specified, a header line precedes
11105the list of per-frame-pair stats, with key value pairs following the frame
11106format with the following parameters:
11107
11108@table @option
11109@item psnr_log_version
11110The version of the log file format. Will match @var{stats_version}.
11111
11112@item fields
11113A comma separated list of the per-frame-pair parameters included in
11114the log.
11115@end table
11116
11117A description of each shown per-frame-pair parameter follows:
11118
11119@table @option
11120@item n
11121sequential number of the input frame, starting from 1
11122
11123@item mse_avg
11124Mean Square Error pixel-by-pixel average difference of the compared
11125frames, averaged over all the image components.
11126
11127@item mse_y, mse_u, mse_v, mse_r, mse_g, mse_g, mse_a
11128Mean Square Error pixel-by-pixel average difference of the compared
11129frames for the component specified by the suffix.
11130
11131@item psnr_y, psnr_u, psnr_v, psnr_r, psnr_g, psnr_b, psnr_a
11132Peak Signal to Noise ratio of the compared frames for the component
11133specified by the suffix.
11134
11135@item max_avg, max_y, max_u, max_v
11136Maximum allowed value for each channel, and average over all
11137channels.
11138@end table
11139
11140For example:
11141@example
11142movie=ref_movie.mpg, setpts=PTS-STARTPTS [main];
11143[main][ref] psnr="stats_file=stats.log" [out]
11144@end example
11145
11146On this example the input file being processed is compared with the
11147reference file @file{ref_movie.mpg}. The PSNR of each individual frame
11148is stored in @file{stats.log}.
11149
11150@anchor{pullup}
11151@section pullup
11152
11153Pulldown reversal (inverse telecine) filter, capable of handling mixed
11154hard-telecine, 24000/1001 fps progressive, and 30000/1001 fps progressive
11155content.
11156
11157The pullup filter is designed to take advantage of future context in making
11158its decisions. This filter is stateless in the sense that it does not lock
11159onto a pattern to follow, but it instead looks forward to the following
11160fields in order to identify matches and rebuild progressive frames.
11161
11162To produce content with an even framerate, insert the fps filter after
11163pullup, use @code{fps=24000/1001} if the input frame rate is 29.97fps,
11164@code{fps=24} for 30fps and the (rare) telecined 25fps input.
11165
11166The filter accepts the following options:
11167
11168@table @option
11169@item jl
11170@item jr
11171@item jt
11172@item jb
11173These options set the amount of "junk" to ignore at the left, right, top, and
11174bottom of the image, respectively. Left and right are in units of 8 pixels,
11175while top and bottom are in units of 2 lines.
11176The default is 8 pixels on each side.
11177
11178@item sb
11179Set the strict breaks. Setting this option to 1 will reduce the chances of
11180filter generating an occasional mismatched frame, but it may also cause an
11181excessive number of frames to be dropped during high motion sequences.
11182Conversely, setting it to -1 will make filter match fields more easily.
11183This may help processing of video where there is slight blurring between
11184the fields, but may also cause there to be interlaced frames in the output.
11185Default value is @code{0}.
11186
11187@item mp
11188Set the metric plane to use. It accepts the following values:
11189@table @samp
11190@item l
11191Use luma plane.
11192
11193@item u
11194Use chroma blue plane.
11195
11196@item v
11197Use chroma red plane.
11198@end table
11199
11200This option may be set to use chroma plane instead of the default luma plane
11201for doing filter's computations. This may improve accuracy on very clean
11202source material, but more likely will decrease accuracy, especially if there
11203is chroma noise (rainbow effect) or any grayscale video.
11204The main purpose of setting @option{mp} to a chroma plane is to reduce CPU
11205load and make pullup usable in realtime on slow machines.
11206@end table
11207
11208For best results (without duplicated frames in the output file) it is
11209necessary to change the output frame rate. For example, to inverse
11210telecine NTSC input:
11211@example
11212ffmpeg -i input -vf pullup -r 24000/1001 ...
11213@end example
11214
11215@section qp
11216
11217Change video quantization parameters (QP).
11218
11219The filter accepts the following option:
11220
11221@table @option
11222@item qp
11223Set expression for quantization parameter.
11224@end table
11225
11226The expression is evaluated through the eval API and can contain, among others,
11227the following constants:
11228
11229@table @var
11230@item known
112311 if index is not 129, 0 otherwise.
11232
11233@item qp
11234Sequentional index starting from -129 to 128.
11235@end table
11236
11237@subsection Examples
11238
11239@itemize
11240@item
11241Some equation like:
11242@example
11243qp=2+2*sin(PI*qp)
11244@end example
11245@end itemize
11246
11247@section random
11248
11249Flush video frames from internal cache of frames into a random order.
11250No frame is discarded.
11251Inspired by @ref{frei0r} nervous filter.
11252
11253@table @option
11254@item frames
11255Set size in number of frames of internal cache, in range from @code{2} to
11256@code{512}. Default is @code{30}.
11257
11258@item seed
11259Set seed for random number generator, must be an integer included between
11260@code{0} and @code{UINT32_MAX}. If not specified, or if explicitly set to
11261less than @code{0}, the filter will try to use a good random seed on a
11262best effort basis.
11263@end table
11264
11265@section readeia608
11266
11267Read closed captioning (EIA-608) information from the top lines of a video frame.
11268
11269This filter adds frame metadata for @code{lavfi.readeia608.X.cc} and
11270@code{lavfi.readeia608.X.line}, where @code{X} is the number of the identified line
11271with EIA-608 data (starting from 0). A description of each metadata value follows:
11272
11273@table @option
11274@item lavfi.readeia608.X.cc
11275The two bytes stored as EIA-608 data (printed in hexadecimal).
11276
11277@item lavfi.readeia608.X.line
11278The number of the line on which the EIA-608 data was identified and read.
11279@end table
11280
11281This filter accepts the following options:
11282
11283@table @option
11284@item scan_min
11285Set the line to start scanning for EIA-608 data. Default is @code{0}.
11286
11287@item scan_max
11288Set the line to end scanning for EIA-608 data. Default is @code{29}.
11289
11290@item mac
11291Set minimal acceptable amplitude change for sync codes detection.
11292Default is @code{0.2}. Allowed range is @code{[0.001 - 1]}.
11293
11294@item spw
11295Set the ratio of width reserved for sync code detection.
11296Default is @code{0.27}. Allowed range is @code{[0.01 - 0.7]}.
11297
11298@item mhd
11299Set the max peaks height difference for sync code detection.
11300Default is @code{0.1}. Allowed range is @code{[0.0 - 0.5]}.
11301
11302@item mpd
11303Set max peaks period difference for sync code detection.
11304Default is @code{0.1}. Allowed range is @code{[0.0 - 0.5]}.
11305
11306@item msd
11307Set the first two max start code bits differences.
11308Default is @code{0.02}. Allowed range is @code{[0.0 - 0.5]}.
11309
11310@item bhd
11311Set the minimum ratio of bits height compared to 3rd start code bit.
11312Default is @code{0.75}. Allowed range is @code{[0.01 - 1]}.
11313
11314@item th_w
11315Set the white color threshold. Default is @code{0.35}. Allowed range is @code{[0.1 - 1]}.
11316
11317@item th_b
11318Set the black color threshold. Default is @code{0.15}. Allowed range is @code{[0.0 - 0.5]}.
11319
11320@item chp
11321Enable checking the parity bit. In the event of a parity error, the filter will output
11322@code{0x00} for that character. Default is false.
11323@end table
11324
11325@subsection Examples
11326
11327@itemize
11328@item
11329Output a csv with presentation time and the first two lines of identified EIA-608 captioning data.
11330@example
11331ffprobe -f lavfi -i movie=captioned_video.mov,readeia608 -show_entries frame=pkt_pts_time:frame_tags=lavfi.readeia608.0.cc,lavfi.readeia608.1.cc -of csv
11332@end example
11333@end itemize
11334
11335@section readvitc
11336
11337Read vertical interval timecode (VITC) information from the top lines of a
11338video frame.
11339
11340The filter adds frame metadata key @code{lavfi.readvitc.tc_str} with the
11341timecode value, if a valid timecode has been detected. Further metadata key
11342@code{lavfi.readvitc.found} is set to 0/1 depending on whether
11343timecode data has been found or not.
11344
11345This filter accepts the following options:
11346
11347@table @option
11348@item scan_max
11349Set the maximum number of lines to scan for VITC data. If the value is set to
11350@code{-1} the full video frame is scanned. Default is @code{45}.
11351
11352@item thr_b
11353Set the luma threshold for black. Accepts float numbers in the range [0.0,1.0],
11354default value is @code{0.2}. The value must be equal or less than @code{thr_w}.
11355
11356@item thr_w
11357Set the luma threshold for white. Accepts float numbers in the range [0.0,1.0],
11358default value is @code{0.6}. The value must be equal or greater than @code{thr_b}.
11359@end table
11360
11361@subsection Examples
11362
11363@itemize
11364@item
11365Detect and draw VITC data onto the video frame; if no valid VITC is detected,
11366draw @code{--:--:--:--} as a placeholder:
11367@example
11368ffmpeg -i input.avi -filter:v 'readvitc,drawtext=fontfile=FreeMono.ttf:text=%@{metadata\\:lavfi.readvitc.tc_str\\:--\\\\\\:--\\\\\\:--\\\\\\:--@}:x=(w-tw)/2:y=400-ascent'
11369@end example
11370@end itemize
11371
11372@section remap
11373
11374Remap pixels using 2nd: Xmap and 3rd: Ymap input video stream.
11375
11376Destination pixel at position (X, Y) will be picked from source (x, y) position
11377where x = Xmap(X, Y) and y = Ymap(X, Y). If mapping values are out of range, zero
11378value for pixel will be used for destination pixel.
11379
11380Xmap and Ymap input video streams must be of same dimensions. Output video stream
11381will have Xmap/Ymap video stream dimensions.
11382Xmap and Ymap input video streams are 16bit depth, single channel.
11383
11384@section removegrain
11385
11386The removegrain filter is a spatial denoiser for progressive video.
11387
11388@table @option
11389@item m0
11390Set mode for the first plane.
11391
11392@item m1
11393Set mode for the second plane.
11394
11395@item m2
11396Set mode for the third plane.
11397
11398@item m3
11399Set mode for the fourth plane.
11400@end table
11401
11402Range of mode is from 0 to 24. Description of each mode follows:
11403
11404@table @var
11405@item 0
11406Leave input plane unchanged. Default.
11407
11408@item 1
11409Clips the pixel with the minimum and maximum of the 8 neighbour pixels.
11410
11411@item 2
11412Clips the pixel with the second minimum and maximum of the 8 neighbour pixels.
11413
11414@item 3
11415Clips the pixel with the third minimum and maximum of the 8 neighbour pixels.
11416
11417@item 4
11418Clips the pixel with the fourth minimum and maximum of the 8 neighbour pixels.
11419This is equivalent to a median filter.
11420
11421@item 5
11422Line-sensitive clipping giving the minimal change.
11423
11424@item 6
11425Line-sensitive clipping, intermediate.
11426
11427@item 7
11428Line-sensitive clipping, intermediate.
11429
11430@item 8
11431Line-sensitive clipping, intermediate.
11432
11433@item 9
11434Line-sensitive clipping on a line where the neighbours pixels are the closest.
11435
11436@item 10
11437Replaces the target pixel with the closest neighbour.
11438
11439@item 11
11440[1 2 1] horizontal and vertical kernel blur.
11441
11442@item 12
11443Same as mode 11.
11444
11445@item 13
11446Bob mode, interpolates top field from the line where the neighbours
11447pixels are the closest.
11448
11449@item 14
11450Bob mode, interpolates bottom field from the line where the neighbours
11451pixels are the closest.
11452
11453@item 15
11454Bob mode, interpolates top field. Same as 13 but with a more complicated
11455interpolation formula.
11456
11457@item 16
11458Bob mode, interpolates bottom field. Same as 14 but with a more complicated
11459interpolation formula.
11460
11461@item 17
11462Clips the pixel with the minimum and maximum of respectively the maximum and
11463minimum of each pair of opposite neighbour pixels.
11464
11465@item 18
11466Line-sensitive clipping using opposite neighbours whose greatest distance from
11467the current pixel is minimal.
11468
11469@item 19
11470Replaces the pixel with the average of its 8 neighbours.
11471
11472@item 20
11473Averages the 9 pixels ([1 1 1] horizontal and vertical blur).
11474
11475@item 21
11476Clips pixels using the averages of opposite neighbour.
11477
11478@item 22
11479Same as mode 21 but simpler and faster.
11480
11481@item 23
11482Small edge and halo removal, but reputed useless.
11483
11484@item 24
11485Similar as 23.
11486@end table
11487
11488@section removelogo
11489
11490Suppress a TV station logo, using an image file to determine which
11491pixels comprise the logo. It works by filling in the pixels that
11492comprise the logo with neighboring pixels.
11493
11494The filter accepts the following options:
11495
11496@table @option
11497@item filename, f
11498Set the filter bitmap file, which can be any image format supported by
11499libavformat. The width and height of the image file must match those of the
11500video stream being processed.
11501@end table
11502
11503Pixels in the provided bitmap image with a value of zero are not
11504considered part of the logo, non-zero pixels are considered part of
11505the logo. If you use white (255) for the logo and black (0) for the
11506rest, you will be safe. For making the filter bitmap, it is
11507recommended to take a screen capture of a black frame with the logo
11508visible, and then using a threshold filter followed by the erode
11509filter once or twice.
11510
11511If needed, little splotches can be fixed manually. Remember that if
11512logo pixels are not covered, the filter quality will be much
11513reduced. Marking too many pixels as part of the logo does not hurt as
11514much, but it will increase the amount of blurring needed to cover over
11515the image and will destroy more information than necessary, and extra
11516pixels will slow things down on a large logo.
11517
11518@section repeatfields
11519
11520This filter uses the repeat_field flag from the Video ES headers and hard repeats
11521fields based on its value.
11522
11523@section reverse
11524
11525Reverse a video clip.
11526
11527Warning: This filter requires memory to buffer the entire clip, so trimming
11528is suggested.
11529
11530@subsection Examples
11531
11532@itemize
11533@item
11534Take the first 5 seconds of a clip, and reverse it.
11535@example
11536trim=end=5,reverse
11537@end example
11538@end itemize
11539
11540@section rotate
11541
11542Rotate video by an arbitrary angle expressed in radians.
11543
11544The filter accepts the following options:
11545
11546A description of the optional parameters follows.
11547@table @option
11548@item angle, a
11549Set an expression for the angle by which to rotate the input video
11550clockwise, expressed as a number of radians. A negative value will
11551result in a counter-clockwise rotation. By default it is set to "0".
11552
11553This expression is evaluated for each frame.
11554
11555@item out_w, ow
11556Set the output width expression, default value is "iw".
11557This expression is evaluated just once during configuration.
11558
11559@item out_h, oh
11560Set the output height expression, default value is "ih".
11561This expression is evaluated just once during configuration.
11562
11563@item bilinear
11564Enable bilinear interpolation if set to 1, a value of 0 disables
11565it. Default value is 1.
11566
11567@item fillcolor, c
11568Set the color used to fill the output area not covered by the rotated
11569image. For the general syntax of this option, check the "Color" section in the
11570ffmpeg-utils manual. If the special value "none" is selected then no
11571background is printed (useful for example if the background is never shown).
11572
11573Default value is "black".
11574@end table
11575
11576The expressions for the angle and the output size can contain the
11577following constants and functions:
11578
11579@table @option
11580@item n
11581sequential number of the input frame, starting from 0. It is always NAN
11582before the first frame is filtered.
11583
11584@item t
11585time in seconds of the input frame, it is set to 0 when the filter is
11586configured. It is always NAN before the first frame is filtered.
11587
11588@item hsub
11589@item vsub
11590horizontal and vertical chroma subsample values. For example for the
11591pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
11592
11593@item in_w, iw
11594@item in_h, ih
11595the input video width and height
11596
11597@item out_w, ow
11598@item out_h, oh
11599the output width and height, that is the size of the padded area as
11600specified by the @var{width} and @var{height} expressions
11601
11602@item rotw(a)
11603@item roth(a)
11604the minimal width/height required for completely containing the input
11605video rotated by @var{a} radians.
11606
11607These are only available when computing the @option{out_w} and
11608@option{out_h} expressions.
11609@end table
11610
11611@subsection Examples
11612
11613@itemize
11614@item
11615Rotate the input by PI/6 radians clockwise:
11616@example
11617rotate=PI/6
11618@end example
11619
11620@item
11621Rotate the input by PI/6 radians counter-clockwise:
11622@example
11623rotate=-PI/6
11624@end example
11625
11626@item
11627Rotate the input by 45 degrees clockwise:
11628@example
11629rotate=45*PI/180
11630@end example
11631
11632@item
11633Apply a constant rotation with period T, starting from an angle of PI/3:
11634@example
11635rotate=PI/3+2*PI*t/T
11636@end example
11637
11638@item
11639Make the input video rotation oscillating with a period of T
11640seconds and an amplitude of A radians:
11641@example
11642rotate=A*sin(2*PI/T*t)
11643@end example
11644
11645@item
11646Rotate the video, output size is chosen so that the whole rotating
11647input video is always completely contained in the output:
11648@example
11649rotate='2*PI*t:ow=hypot(iw,ih):oh=ow'
11650@end example
11651
11652@item
11653Rotate the video, reduce the output size so that no background is ever
11654shown:
11655@example
11656rotate=2*PI*t:ow='min(iw,ih)/sqrt(2)':oh=ow:c=none
11657@end example
11658@end itemize
11659
11660@subsection Commands
11661
11662The filter supports the following commands:
11663
11664@table @option
11665@item a, angle
11666Set the angle expression.
11667The command accepts the same syntax of the corresponding option.
11668
11669If the specified expression is not valid, it is kept at its current
11670value.
11671@end table
11672
11673@section sab
11674
11675Apply Shape Adaptive Blur.
11676
11677The filter accepts the following options:
11678
11679@table @option
11680@item luma_radius, lr
11681Set luma blur filter strength, must be a value in range 0.1-4.0, default
11682value is 1.0. A greater value will result in a more blurred image, and
11683in slower processing.
11684
11685@item luma_pre_filter_radius, lpfr
11686Set luma pre-filter radius, must be a value in the 0.1-2.0 range, default
11687value is 1.0.
11688
11689@item luma_strength, ls
11690Set luma maximum difference between pixels to still be considered, must
11691be a value in the 0.1-100.0 range, default value is 1.0.
11692
11693@item chroma_radius, cr
11694Set chroma blur filter strength, must be a value in range -0.9-4.0. A
11695greater value will result in a more blurred image, and in slower
11696processing.
11697
11698@item chroma_pre_filter_radius, cpfr
11699Set chroma pre-filter radius, must be a value in the -0.9-2.0 range.
11700
11701@item chroma_strength, cs
11702Set chroma maximum difference between pixels to still be considered,
11703must be a value in the -0.9-100.0 range.
11704@end table
11705
11706Each chroma option value, if not explicitly specified, is set to the
11707corresponding luma option value.
11708
11709@anchor{scale}
11710@section scale
11711
11712Scale (resize) the input video, using the libswscale library.
11713
11714The scale filter forces the output display aspect ratio to be the same
11715of the input, by changing the output sample aspect ratio.
11716
11717If the input image format is different from the format requested by
11718the next filter, the scale filter will convert the input to the
11719requested format.
11720
11721@subsection Options
11722The filter accepts the following options, or any of the options
11723supported by the libswscale scaler.
11724
11725See @ref{scaler_options,,the ffmpeg-scaler manual,ffmpeg-scaler} for
11726the complete list of scaler options.
11727
11728@table @option
11729@item width, w
11730@item height, h
11731Set the output video dimension expression. Default value is the input
11732dimension.
11733
11734If the value is 0, the input width is used for the output.
11735
11736If one of the values is -1, the scale filter will use a value that
11737maintains the aspect ratio of the input image, calculated from the
11738other specified dimension. If both of them are -1, the input size is
11739used
11740
11741If one of the values is -n with n > 1, the scale filter will also use a value
11742that maintains the aspect ratio of the input image, calculated from the other
11743specified dimension. After that it will, however, make sure that the calculated
11744dimension is divisible by n and adjust the value if necessary.
11745
11746See below for the list of accepted constants for use in the dimension
11747expression.
11748
11749@item eval
11750Specify when to evaluate @var{width} and @var{height} expression. It accepts the following values:
11751
11752@table @samp
11753@item init
11754Only evaluate expressions once during the filter initialization or when a command is processed.
11755
11756@item frame
11757Evaluate expressions for each incoming frame.
11758
11759@end table
11760
11761Default value is @samp{init}.
11762
11763
11764@item interl
11765Set the interlacing mode. It accepts the following values:
11766
11767@table @samp
11768@item 1
11769Force interlaced aware scaling.
11770
11771@item 0
11772Do not apply interlaced scaling.
11773
11774@item -1
11775Select interlaced aware scaling depending on whether the source frames
11776are flagged as interlaced or not.
11777@end table
11778
11779Default value is @samp{0}.
11780
11781@item flags
11782Set libswscale scaling flags. See
11783@ref{sws_flags,,the ffmpeg-scaler manual,ffmpeg-scaler} for the
11784complete list of values. If not explicitly specified the filter applies
11785the default flags.
11786
11787
11788@item param0, param1
11789Set libswscale input parameters for scaling algorithms that need them. See
11790@ref{sws_params,,the ffmpeg-scaler manual,ffmpeg-scaler} for the
11791complete documentation. If not explicitly specified the filter applies
11792empty parameters.
11793
11794
11795
11796@item size, s
11797Set the video size. For the syntax of this option, check the
11798@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
11799
11800@item in_color_matrix
11801@item out_color_matrix
11802Set in/output YCbCr color space type.
11803
11804This allows the autodetected value to be overridden as well as allows forcing
11805a specific value used for the output and encoder.
11806
11807If not specified, the color space type depends on the pixel format.
11808
11809Possible values:
11810
11811@table @samp
11812@item auto
11813Choose automatically.
11814
11815@item bt709
11816Format conforming to International Telecommunication Union (ITU)
11817Recommendation BT.709.
11818
11819@item fcc
11820Set color space conforming to the United States Federal Communications
11821Commission (FCC) Code of Federal Regulations (CFR) Title 47 (2003) 73.682 (a).
11822
11823@item bt601
11824Set color space conforming to:
11825
11826@itemize
11827@item
11828ITU Radiocommunication Sector (ITU-R) Recommendation BT.601
11829
11830@item
11831ITU-R Rec. BT.470-6 (1998) Systems B, B1, and G
11832
11833@item
11834Society of Motion Picture and Television Engineers (SMPTE) ST 170:2004
11835
11836@end itemize
11837
11838@item smpte240m
11839Set color space conforming to SMPTE ST 240:1999.
11840@end table
11841
11842@item in_range
11843@item out_range
11844Set in/output YCbCr sample range.
11845
11846This allows the autodetected value to be overridden as well as allows forcing
11847a specific value used for the output and encoder. If not specified, the
11848range depends on the pixel format. Possible values:
11849
11850@table @samp
11851@item auto
11852Choose automatically.
11853
11854@item jpeg/full/pc
11855Set full range (0-255 in case of 8-bit luma).
11856
11857@item mpeg/tv
11858Set "MPEG" range (16-235 in case of 8-bit luma).
11859@end table
11860
11861@item force_original_aspect_ratio
11862Enable decreasing or increasing output video width or height if necessary to
11863keep the original aspect ratio. Possible values:
11864
11865@table @samp
11866@item disable
11867Scale the video as specified and disable this feature.
11868
11869@item decrease
11870The output video dimensions will automatically be decreased if needed.
11871
11872@item increase
11873The output video dimensions will automatically be increased if needed.
11874
11875@end table
11876
11877One useful instance of this option is that when you know a specific device's
11878maximum allowed resolution, you can use this to limit the output video to
11879that, while retaining the aspect ratio. For example, device A allows
118801280x720 playback, and your video is 1920x800. Using this option (set it to
11881decrease) and specifying 1280x720 to the command line makes the output
118821280x533.
11883
11884Please note that this is a different thing than specifying -1 for @option{w}
11885or @option{h}, you still need to specify the output resolution for this option
11886to work.
11887
11888@end table
11889
11890The values of the @option{w} and @option{h} options are expressions
11891containing the following constants:
11892
11893@table @var
11894@item in_w
11895@item in_h
11896The input width and height
11897
11898@item iw
11899@item ih
11900These are the same as @var{in_w} and @var{in_h}.
11901
11902@item out_w
11903@item out_h
11904The output (scaled) width and height
11905
11906@item ow
11907@item oh
11908These are the same as @var{out_w} and @var{out_h}
11909
11910@item a
11911The same as @var{iw} / @var{ih}
11912
11913@item sar
11914input sample aspect ratio
11915
11916@item dar
11917The input display aspect ratio. Calculated from @code{(iw / ih) * sar}.
11918
11919@item hsub
11920@item vsub
11921horizontal and vertical input chroma subsample values. For example for the
11922pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
11923
11924@item ohsub
11925@item ovsub
11926horizontal and vertical output chroma subsample values. For example for the
11927pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
11928@end table
11929
11930@subsection Examples
11931
11932@itemize
11933@item
11934Scale the input video to a size of 200x100
11935@example
11936scale=w=200:h=100
11937@end example
11938
11939This is equivalent to:
11940@example
11941scale=200:100
11942@end example
11943
11944or:
11945@example
11946scale=200x100
11947@end example
11948
11949@item
11950Specify a size abbreviation for the output size:
11951@example
11952scale=qcif
11953@end example
11954
11955which can also be written as:
11956@example
11957scale=size=qcif
11958@end example
11959
11960@item
11961Scale the input to 2x:
11962@example
11963scale=w=2*iw:h=2*ih
11964@end example
11965
11966@item
11967The above is the same as:
11968@example
11969scale=2*in_w:2*in_h
11970@end example
11971
11972@item
11973Scale the input to 2x with forced interlaced scaling:
11974@example
11975scale=2*iw:2*ih:interl=1
11976@end example
11977
11978@item
11979Scale the input to half size:
11980@example
11981scale=w=iw/2:h=ih/2
11982@end example
11983
11984@item
11985Increase the width, and set the height to the same size:
11986@example
11987scale=3/2*iw:ow
11988@end example
11989
11990@item
11991Seek Greek harmony:
11992@example
11993scale=iw:1/PHI*iw
11994scale=ih*PHI:ih
11995@end example
11996
11997@item
11998Increase the height, and set the width to 3/2 of the height:
11999@example
12000scale=w=3/2*oh:h=3/5*ih
12001@end example
12002
12003@item
12004Increase the size, making the size a multiple of the chroma
12005subsample values:
12006@example
12007scale="trunc(3/2*iw/hsub)*hsub:trunc(3/2*ih/vsub)*vsub"
12008@end example
12009
12010@item
12011Increase the width to a maximum of 500 pixels,
12012keeping the same aspect ratio as the input:
12013@example
12014scale=w='min(500\, iw*3/2):h=-1'
12015@end example
12016@end itemize
12017
12018@subsection Commands
12019
12020This filter supports the following commands:
12021@table @option
12022@item width, w
12023@item height, h
12024Set the output video dimension expression.
12025The command accepts the same syntax of the corresponding option.
12026
12027If the specified expression is not valid, it is kept at its current
12028value.
12029@end table
12030
12031@section scale_npp
12032
12033Use the NVIDIA Performance Primitives (libnpp) to perform scaling and/or pixel
12034format conversion on CUDA video frames. Setting the output width and height
12035works in the same way as for the @var{scale} filter.
12036
12037The following additional options are accepted:
12038@table @option
12039@item format
12040The pixel format of the output CUDA frames. If set to the string "same" (the
12041default), the input format will be kept. Note that automatic format negotiation
12042and conversion is not yet supported for hardware frames
12043
12044@item interp_algo
12045The interpolation algorithm used for resizing. One of the following:
12046@table @option
12047@item nn
12048Nearest neighbour.
12049
12050@item linear
12051@item cubic
12052@item cubic2p_bspline
120532-parameter cubic (B=1, C=0)
12054
12055@item cubic2p_catmullrom
120562-parameter cubic (B=0, C=1/2)
12057
12058@item cubic2p_b05c03
120592-parameter cubic (B=1/2, C=3/10)
12060
12061@item super
12062Supersampling
12063
12064@item lanczos
12065@end table
12066
12067@end table
12068
12069@section scale2ref
12070
12071Scale (resize) the input video, based on a reference video.
12072
12073See the scale filter for available options, scale2ref supports the same but
12074uses the reference video instead of the main input as basis.
12075
12076@subsection Examples
12077
12078@itemize
12079@item
12080Scale a subtitle stream to match the main video in size before overlaying
12081@example
12082'scale2ref[b][a];[a][b]overlay'
12083@end example
12084@end itemize
12085
12086@anchor{selectivecolor}
12087@section selectivecolor
12088
12089Adjust cyan, magenta, yellow and black (CMYK) to certain ranges of colors (such
12090as "reds", "yellows", "greens", "cyans", ...). The adjustment range is defined
12091by the "purity" of the color (that is, how saturated it already is).
12092
12093This filter is similar to the Adobe Photoshop Selective Color tool.
12094
12095The filter accepts the following options:
12096
12097@table @option
12098@item correction_method
12099Select color correction method.
12100
12101Available values are:
12102@table @samp
12103@item absolute
12104Specified adjustments are applied "as-is" (added/subtracted to original pixel
12105component value).
12106@item relative
12107Specified adjustments are relative to the original component value.
12108@end table
12109Default is @code{absolute}.
12110@item reds
12111Adjustments for red pixels (pixels where the red component is the maximum)
12112@item yellows
12113Adjustments for yellow pixels (pixels where the blue component is the minimum)
12114@item greens
12115Adjustments for green pixels (pixels where the green component is the maximum)
12116@item cyans
12117Adjustments for cyan pixels (pixels where the red component is the minimum)
12118@item blues
12119Adjustments for blue pixels (pixels where the blue component is the maximum)
12120@item magentas
12121Adjustments for magenta pixels (pixels where the green component is the minimum)
12122@item whites
12123Adjustments for white pixels (pixels where all components are greater than 128)
12124@item neutrals
12125Adjustments for all pixels except pure black and pure white
12126@item blacks
12127Adjustments for black pixels (pixels where all components are lesser than 128)
12128@item psfile
12129Specify a Photoshop selective color file (@code{.asv}) to import the settings from.
12130@end table
12131
12132All the adjustment settings (@option{reds}, @option{yellows}, ...) accept up to
121334 space separated floating point adjustment values in the [-1,1] range,
12134respectively to adjust the amount of cyan, magenta, yellow and black for the
12135pixels of its range.
12136
12137@subsection Examples
12138
12139@itemize
12140@item
12141Increase cyan by 50% and reduce yellow by 33% in every green areas, and
12142increase magenta by 27% in blue areas:
12143@example
12144selectivecolor=greens=.5 0 -.33 0:blues=0 .27
12145@end example
12146
12147@item
12148Use a Photoshop selective color preset:
12149@example
12150selectivecolor=psfile=MySelectiveColorPresets/Misty.asv
12151@end example
12152@end itemize
12153
12154@anchor{separatefields}
12155@section separatefields
12156
12157The @code{separatefields} takes a frame-based video input and splits
12158each frame into its components fields, producing a new half height clip
12159with twice the frame rate and twice the frame count.
12160
12161This filter use field-dominance information in frame to decide which
12162of each pair of fields to place first in the output.
12163If it gets it wrong use @ref{setfield} filter before @code{separatefields} filter.
12164
12165@section setdar, setsar
12166
12167The @code{setdar} filter sets the Display Aspect Ratio for the filter
12168output video.
12169
12170This is done by changing the specified Sample (aka Pixel) Aspect
12171Ratio, according to the following equation:
12172@example
12173@var{DAR} = @var{HORIZONTAL_RESOLUTION} / @var{VERTICAL_RESOLUTION} * @var{SAR}
12174@end example
12175
12176Keep in mind that the @code{setdar} filter does not modify the pixel
12177dimensions of the video frame. Also, the display aspect ratio set by
12178this filter may be changed by later filters in the filterchain,
12179e.g. in case of scaling or if another "setdar" or a "setsar" filter is
12180applied.
12181
12182The @code{setsar} filter sets the Sample (aka Pixel) Aspect Ratio for
12183the filter output video.
12184
12185Note that as a consequence of the application of this filter, the
12186output display aspect ratio will change according to the equation
12187above.
12188
12189Keep in mind that the sample aspect ratio set by the @code{setsar}
12190filter may be changed by later filters in the filterchain, e.g. if
12191another "setsar" or a "setdar" filter is applied.
12192
12193It accepts the following parameters:
12194
12195@table @option
12196@item r, ratio, dar (@code{setdar} only), sar (@code{setsar} only)
12197Set the aspect ratio used by the filter.
12198
12199The parameter can be a floating point number string, an expression, or
12200a string of the form @var{num}:@var{den}, where @var{num} and
12201@var{den} are the numerator and denominator of the aspect ratio. If
12202the parameter is not specified, it is assumed the value "0".
12203In case the form "@var{num}:@var{den}" is used, the @code{:} character
12204should be escaped.
12205
12206@item max
12207Set the maximum integer value to use for expressing numerator and
12208denominator when reducing the expressed aspect ratio to a rational.
12209Default value is @code{100}.
12210
12211@end table
12212
12213The parameter @var{sar} is an expression containing
12214the following constants:
12215
12216@table @option
12217@item E, PI, PHI
12218These are approximated values for the mathematical constants e
12219(Euler's number), pi (Greek pi), and phi (the golden ratio).
12220
12221@item w, h
12222The input width and height.
12223
12224@item a
12225These are the same as @var{w} / @var{h}.
12226
12227@item sar
12228The input sample aspect ratio.
12229
12230@item dar
12231The input display aspect ratio. It is the same as
12232(@var{w} / @var{h}) * @var{sar}.
12233
12234@item hsub, vsub
12235Horizontal and vertical chroma subsample values. For example, for the
12236pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
12237@end table
12238
12239@subsection Examples
12240
12241@itemize
12242
12243@item
12244To change the display aspect ratio to 16:9, specify one of the following:
12245@example
12246setdar=dar=1.77777
12247setdar=dar=16/9
12248@end example
12249
12250@item
12251To change the sample aspect ratio to 10:11, specify:
12252@example
12253setsar=sar=10/11
12254@end example
12255
12256@item
12257To set a display aspect ratio of 16:9, and specify a maximum integer value of
122581000 in the aspect ratio reduction, use the command:
12259@example
12260setdar=ratio=16/9:max=1000
12261@end example
12262
12263@end itemize
12264
12265@anchor{setfield}
12266@section setfield
12267
12268Force field for the output video frame.
12269
12270The @code{setfield} filter marks the interlace type field for the
12271output frames. It does not change the input frame, but only sets the
12272corresponding property, which affects how the frame is treated by
12273following filters (e.g. @code{fieldorder} or @code{yadif}).
12274
12275The filter accepts the following options:
12276
12277@table @option
12278
12279@item mode
12280Available values are:
12281
12282@table @samp
12283@item auto
12284Keep the same field property.
12285
12286@item bff
12287Mark the frame as bottom-field-first.
12288
12289@item tff
12290Mark the frame as top-field-first.
12291
12292@item prog
12293Mark the frame as progressive.
12294@end table
12295@end table
12296
12297@section showinfo
12298
12299Show a line containing various information for each input video frame.
12300The input video is not modified.
12301
12302The shown line contains a sequence of key/value pairs of the form
12303@var{key}:@var{value}.
12304
12305The following values are shown in the output:
12306
12307@table @option
12308@item n
12309The (sequential) number of the input frame, starting from 0.
12310
12311@item pts
12312The Presentation TimeStamp of the input frame, expressed as a number of
12313time base units. The time base unit depends on the filter input pad.
12314
12315@item pts_time
12316The Presentation TimeStamp of the input frame, expressed as a number of
12317seconds.
12318
12319@item pos
12320The position of the frame in the input stream, or -1 if this information is
12321unavailable and/or meaningless (for example in case of synthetic video).
12322
12323@item fmt
12324The pixel format name.
12325
12326@item sar
12327The sample aspect ratio of the input frame, expressed in the form
12328@var{num}/@var{den}.
12329
12330@item s
12331The size of the input frame. For the syntax of this option, check the
12332@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
12333
12334@item i
12335The type of interlaced mode ("P" for "progressive", "T" for top field first, "B"
12336for bottom field first).
12337
12338@item iskey
12339This is 1 if the frame is a key frame, 0 otherwise.
12340
12341@item type
12342The picture type of the input frame ("I" for an I-frame, "P" for a
12343P-frame, "B" for a B-frame, or "?" for an unknown type).
12344Also refer to the documentation of the @code{AVPictureType} enum and of
12345the @code{av_get_picture_type_char} function defined in
12346@file{libavutil/avutil.h}.
12347
12348@item checksum
12349The Adler-32 checksum (printed in hexadecimal) of all the planes of the input frame.
12350
12351@item plane_checksum
12352The Adler-32 checksum (printed in hexadecimal) of each plane of the input frame,
12353expressed in the form "[@var{c0} @var{c1} @var{c2} @var{c3}]".
12354@end table
12355
12356@section showpalette
12357
12358Displays the 256 colors palette of each frame. This filter is only relevant for
12359@var{pal8} pixel format frames.
12360
12361It accepts the following option:
12362
12363@table @option
12364@item s
12365Set the size of the box used to represent one palette color entry. Default is
12366@code{30} (for a @code{30x30} pixel box).
12367@end table
12368
12369@section shuffleframes
12370
12371Reorder and/or duplicate and/or drop video frames.
12372
12373It accepts the following parameters:
12374
12375@table @option
12376@item mapping
12377Set the destination indexes of input frames.
12378This is space or '|' separated list of indexes that maps input frames to output
12379frames. Number of indexes also sets maximal value that each index may have.
12380'-1' index have special meaning and that is to drop frame.
12381@end table
12382
12383The first frame has the index 0. The default is to keep the input unchanged.
12384
12385@subsection Examples
12386
12387@itemize
12388@item
12389Swap second and third frame of every three frames of the input:
12390@example
12391ffmpeg -i INPUT -vf "shuffleframes=0 2 1" OUTPUT
12392@end example
12393
12394@item
12395Swap 10th and 1st frame of every ten frames of the input:
12396@example
12397ffmpeg -i INPUT -vf "shuffleframes=9 1 2 3 4 5 6 7 8 0" OUTPUT
12398@end example
12399@end itemize
12400
12401@section shuffleplanes
12402
12403Reorder and/or duplicate video planes.
12404
12405It accepts the following parameters:
12406
12407@table @option
12408
12409@item map0
12410The index of the input plane to be used as the first output plane.
12411
12412@item map1
12413The index of the input plane to be used as the second output plane.
12414
12415@item map2
12416The index of the input plane to be used as the third output plane.
12417
12418@item map3
12419The index of the input plane to be used as the fourth output plane.
12420
12421@end table
12422
12423The first plane has the index 0. The default is to keep the input unchanged.
12424
12425@subsection Examples
12426
12427@itemize
12428@item
12429Swap the second and third planes of the input:
12430@example
12431ffmpeg -i INPUT -vf shuffleplanes=0:2:1:3 OUTPUT
12432@end example
12433@end itemize
12434
12435@anchor{signalstats}
12436@section signalstats
12437Evaluate various visual metrics that assist in determining issues associated
12438with the digitization of analog video media.
12439
12440By default the filter will log these metadata values:
12441
12442@table @option
12443@item YMIN
12444Display the minimal Y value contained within the input frame. Expressed in
12445range of [0-255].
12446
12447@item YLOW
12448Display the Y value at the 10% percentile within the input frame. Expressed in
12449range of [0-255].
12450
12451@item YAVG
12452Display the average Y value within the input frame. Expressed in range of
12453[0-255].
12454
12455@item YHIGH
12456Display the Y value at the 90% percentile within the input frame. Expressed in
12457range of [0-255].
12458
12459@item YMAX
12460Display the maximum Y value contained within the input frame. Expressed in
12461range of [0-255].
12462
12463@item UMIN
12464Display the minimal U value contained within the input frame. Expressed in
12465range of [0-255].
12466
12467@item ULOW
12468Display the U value at the 10% percentile within the input frame. Expressed in
12469range of [0-255].
12470
12471@item UAVG
12472Display the average U value within the input frame. Expressed in range of
12473[0-255].
12474
12475@item UHIGH
12476Display the U value at the 90% percentile within the input frame. Expressed in
12477range of [0-255].
12478
12479@item UMAX
12480Display the maximum U value contained within the input frame. Expressed in
12481range of [0-255].
12482
12483@item VMIN
12484Display the minimal V value contained within the input frame. Expressed in
12485range of [0-255].
12486
12487@item VLOW
12488Display the V value at the 10% percentile within the input frame. Expressed in
12489range of [0-255].
12490
12491@item VAVG
12492Display the average V value within the input frame. Expressed in range of
12493[0-255].
12494
12495@item VHIGH
12496Display the V value at the 90% percentile within the input frame. Expressed in
12497range of [0-255].
12498
12499@item VMAX
12500Display the maximum V value contained within the input frame. Expressed in
12501range of [0-255].
12502
12503@item SATMIN
12504Display the minimal saturation value contained within the input frame.
12505Expressed in range of [0-~181.02].
12506
12507@item SATLOW
12508Display the saturation value at the 10% percentile within the input frame.
12509Expressed in range of [0-~181.02].
12510
12511@item SATAVG
12512Display the average saturation value within the input frame. Expressed in range
12513of [0-~181.02].
12514
12515@item SATHIGH
12516Display the saturation value at the 90% percentile within the input frame.
12517Expressed in range of [0-~181.02].
12518
12519@item SATMAX
12520Display the maximum saturation value contained within the input frame.
12521Expressed in range of [0-~181.02].
12522
12523@item HUEMED
12524Display the median value for hue within the input frame. Expressed in range of
12525[0-360].
12526
12527@item HUEAVG
12528Display the average value for hue within the input frame. Expressed in range of
12529[0-360].
12530
12531@item YDIF
12532Display the average of sample value difference between all values of the Y
12533plane in the current frame and corresponding values of the previous input frame.
12534Expressed in range of [0-255].
12535
12536@item UDIF
12537Display the average of sample value difference between all values of the U
12538plane in the current frame and corresponding values of the previous input frame.
12539Expressed in range of [0-255].
12540
12541@item VDIF
12542Display the average of sample value difference between all values of the V
12543plane in the current frame and corresponding values of the previous input frame.
12544Expressed in range of [0-255].
12545
12546@item YBITDEPTH
12547Display bit depth of Y plane in current frame.
12548Expressed in range of [0-16].
12549
12550@item UBITDEPTH
12551Display bit depth of U plane in current frame.
12552Expressed in range of [0-16].
12553
12554@item VBITDEPTH
12555Display bit depth of V plane in current frame.
12556Expressed in range of [0-16].
12557@end table
12558
12559The filter accepts the following options:
12560
12561@table @option
12562@item stat
12563@item out
12564
12565@option{stat} specify an additional form of image analysis.
12566@option{out} output video with the specified type of pixel highlighted.
12567
12568Both options accept the following values:
12569
12570@table @samp
12571@item tout
12572Identify @var{temporal outliers} pixels. A @var{temporal outlier} is a pixel
12573unlike the neighboring pixels of the same field. Examples of temporal outliers
12574include the results of video dropouts, head clogs, or tape tracking issues.
12575
12576@item vrep
12577Identify @var{vertical line repetition}. Vertical line repetition includes
12578similar rows of pixels within a frame. In born-digital video vertical line
12579repetition is common, but this pattern is uncommon in video digitized from an
12580analog source. When it occurs in video that results from the digitization of an
12581analog source it can indicate concealment from a dropout compensator.
12582
12583@item brng
12584Identify pixels that fall outside of legal broadcast range.
12585@end table
12586
12587@item color, c
12588Set the highlight color for the @option{out} option. The default color is
12589yellow.
12590@end table
12591
12592@subsection Examples
12593
12594@itemize
12595@item
12596Output data of various video metrics:
12597@example
12598ffprobe -f lavfi movie=example.mov,signalstats="stat=tout+vrep+brng" -show_frames
12599@end example
12600
12601@item
12602Output specific data about the minimum and maximum values of the Y plane per frame:
12603@example
12604ffprobe -f lavfi movie=example.mov,signalstats -show_entries frame_tags=lavfi.signalstats.YMAX,lavfi.signalstats.YMIN
12605@end example
12606
12607@item
12608Playback video while highlighting pixels that are outside of broadcast range in red.
12609@example
12610ffplay example.mov -vf signalstats="out=brng:color=red"
12611@end example
12612
12613@item
12614Playback video with signalstats metadata drawn over the frame.
12615@example
12616ffplay example.mov -vf signalstats=stat=brng+vrep+tout,drawtext=fontfile=FreeSerif.ttf:textfile=signalstat_drawtext.txt
12617@end example
12618
12619The contents of signalstat_drawtext.txt used in the command are:
12620@example
12621time %@{pts:hms@}
12622Y (%@{metadata:lavfi.signalstats.YMIN@}-%@{metadata:lavfi.signalstats.YMAX@})
12623U (%@{metadata:lavfi.signalstats.UMIN@}-%@{metadata:lavfi.signalstats.UMAX@})
12624V (%@{metadata:lavfi.signalstats.VMIN@}-%@{metadata:lavfi.signalstats.VMAX@})
12625saturation maximum: %@{metadata:lavfi.signalstats.SATMAX@}
12626
12627@end example
12628@end itemize
12629
12630@anchor{signature}
12631@section signature
12632
12633Calculates the MPEG-7 Video Signature. The filter can handle more than one
12634input. In this case the matching between the inputs can be calculated additionally.
12635The filter always passes through the first input. The signature of each stream can
12636be written into a file.
12637
12638It accepts the following options:
12639
12640@table @option
12641@item detectmode
12642Enable or disable the matching process.
12643
12644Available values are:
12645
12646@table @samp
12647@item off
12648Disable the calculation of a matching (default).
12649@item full
12650Calculate the matching for the whole video and output whether the whole video
12651matches or only parts.
12652@item fast
12653Calculate only until a matching is found or the video ends. Should be faster in
12654some cases.
12655@end table
12656
12657@item nb_inputs
12658Set the number of inputs. The option value must be a non negative integer.
12659Default value is 1.
12660
12661@item filename
12662Set the path to which the output is written. If there is more than one input,
12663the path must be a prototype, i.e. must contain %d or %0nd (where n is a positive
12664integer), that will be replaced with the input number. If no filename is
12665specified, no output will be written. This is the default.
12666
12667@item format
12668Choose the output format.
12669
12670Available values are:
12671
12672@table @samp
12673@item binary
12674Use the specified binary representation (default).
12675@item xml
12676Use the specified xml representation.
12677@end table
12678
12679@item th_d
12680Set threshold to detect one word as similar. The option value must be an integer
12681greater than zero. The default value is 9000.
12682
12683@item th_dc
12684Set threshold to detect all words as similar. The option value must be an integer
12685greater than zero. The default value is 60000.
12686
12687@item th_xh
12688Set threshold to detect frames as similar. The option value must be an integer
12689greater than zero. The default value is 116.
12690
12691@item th_di
12692Set the minimum length of a sequence in frames to recognize it as matching
12693sequence. The option value must be a non negative integer value.
12694The default value is 0.
12695
12696@item th_it
12697Set the minimum relation, that matching frames to all frames must have.
12698The option value must be a double value between 0 and 1. The default value is 0.5.
12699@end table
12700
12701@subsection Examples
12702
12703@itemize
12704@item
12705To calculate the signature of an input video and store it in signature.bin:
12706@example
12707ffmpeg -i input.mkv -vf signature=filename=signature.bin -map 0:v -f null -
12708@end example
12709
12710@item
12711To detect whether two videos match and store the signatures in XML format in
12712signature0.xml and signature1.xml:
12713@example
12714ffmpeg -i input1.mkv -i input2.mkv -filter_complex "[0:v][1:v] signature=nb_inputs=2:detectmode=full:format=xml:filename=signature%d.xml" -map :v -f null -
12715@end example
12716
12717@end itemize
12718
12719@anchor{smartblur}
12720@section smartblur
12721
12722Blur the input video without impacting the outlines.
12723
12724It accepts the following options:
12725
12726@table @option
12727@item luma_radius, lr
12728Set the luma radius. The option value must be a float number in
12729the range [0.1,5.0] that specifies the variance of the gaussian filter
12730used to blur the image (slower if larger). Default value is 1.0.
12731
12732@item luma_strength, ls
12733Set the luma strength. The option value must be a float number
12734in the range [-1.0,1.0] that configures the blurring. A value included
12735in [0.0,1.0] will blur the image whereas a value included in
12736[-1.0,0.0] will sharpen the image. Default value is 1.0.
12737
12738@item luma_threshold, lt
12739Set the luma threshold used as a coefficient to determine
12740whether a pixel should be blurred or not. The option value must be an
12741integer in the range [-30,30]. A value of 0 will filter all the image,
12742a value included in [0,30] will filter flat areas and a value included
12743in [-30,0] will filter edges. Default value is 0.
12744
12745@item chroma_radius, cr
12746Set the chroma radius. The option value must be a float number in
12747the range [0.1,5.0] that specifies the variance of the gaussian filter
12748used to blur the image (slower if larger). Default value is @option{luma_radius}.
12749
12750@item chroma_strength, cs
12751Set the chroma strength. The option value must be a float number
12752in the range [-1.0,1.0] that configures the blurring. A value included
12753in [0.0,1.0] will blur the image whereas a value included in
12754[-1.0,0.0] will sharpen the image. Default value is @option{luma_strength}.
12755
12756@item chroma_threshold, ct
12757Set the chroma threshold used as a coefficient to determine
12758whether a pixel should be blurred or not. The option value must be an
12759integer in the range [-30,30]. A value of 0 will filter all the image,
12760a value included in [0,30] will filter flat areas and a value included
12761in [-30,0] will filter edges. Default value is @option{luma_threshold}.
12762@end table
12763
12764If a chroma option is not explicitly set, the corresponding luma value
12765is set.
12766
12767@section ssim
12768
12769Obtain the SSIM (Structural SImilarity Metric) between two input videos.
12770
12771This filter takes in input two input videos, the first input is
12772considered the "main" source and is passed unchanged to the
12773output. The second input is used as a "reference" video for computing
12774the SSIM.
12775
12776Both video inputs must have the same resolution and pixel format for
12777this filter to work correctly. Also it assumes that both inputs
12778have the same number of frames, which are compared one by one.
12779
12780The filter stores the calculated SSIM of each frame.
12781
12782The description of the accepted parameters follows.
12783
12784@table @option
12785@item stats_file, f
12786If specified the filter will use the named file to save the SSIM of
12787each individual frame. When filename equals "-" the data is sent to
12788standard output.
12789@end table
12790
12791The file printed if @var{stats_file} is selected, contains a sequence of
12792key/value pairs of the form @var{key}:@var{value} for each compared
12793couple of frames.
12794
12795A description of each shown parameter follows:
12796
12797@table @option
12798@item n
12799sequential number of the input frame, starting from 1
12800
12801@item Y, U, V, R, G, B
12802SSIM of the compared frames for the component specified by the suffix.
12803
12804@item All
12805SSIM of the compared frames for the whole frame.
12806
12807@item dB
12808Same as above but in dB representation.
12809@end table
12810
12811For example:
12812@example
12813movie=ref_movie.mpg, setpts=PTS-STARTPTS [main];
12814[main][ref] ssim="stats_file=stats.log" [out]
12815@end example
12816
12817On this example the input file being processed is compared with the
12818reference file @file{ref_movie.mpg}. The SSIM of each individual frame
12819is stored in @file{stats.log}.
12820
12821Another example with both psnr and ssim at same time:
12822@example
12823ffmpeg -i main.mpg -i ref.mpg -lavfi "ssim;[0:v][1:v]psnr" -f null -
12824@end example
12825
12826@section stereo3d
12827
12828Convert between different stereoscopic image formats.
12829
12830The filters accept the following options:
12831
12832@table @option
12833@item in
12834Set stereoscopic image format of input.
12835
12836Available values for input image formats are:
12837@table @samp
12838@item sbsl
12839side by side parallel (left eye left, right eye right)
12840
12841@item sbsr
12842side by side crosseye (right eye left, left eye right)
12843
12844@item sbs2l
12845side by side parallel with half width resolution
12846(left eye left, right eye right)
12847
12848@item sbs2r
12849side by side crosseye with half width resolution
12850(right eye left, left eye right)
12851
12852@item abl
12853above-below (left eye above, right eye below)
12854
12855@item abr
12856above-below (right eye above, left eye below)
12857
12858@item ab2l
12859above-below with half height resolution
12860(left eye above, right eye below)
12861
12862@item ab2r
12863above-below with half height resolution
12864(right eye above, left eye below)
12865
12866@item al
12867alternating frames (left eye first, right eye second)
12868
12869@item ar
12870alternating frames (right eye first, left eye second)
12871
12872@item irl
12873interleaved rows (left eye has top row, right eye starts on next row)
12874
12875@item irr
12876interleaved rows (right eye has top row, left eye starts on next row)
12877
12878@item icl
12879interleaved columns, left eye first
12880
12881@item icr
12882interleaved columns, right eye first
12883
12884Default value is @samp{sbsl}.
12885@end table
12886
12887@item out
12888Set stereoscopic image format of output.
12889
12890@table @samp
12891@item sbsl
12892side by side parallel (left eye left, right eye right)
12893
12894@item sbsr
12895side by side crosseye (right eye left, left eye right)
12896
12897@item sbs2l
12898side by side parallel with half width resolution
12899(left eye left, right eye right)
12900
12901@item sbs2r
12902side by side crosseye with half width resolution
12903(right eye left, left eye right)
12904
12905@item abl
12906above-below (left eye above, right eye below)
12907
12908@item abr
12909above-below (right eye above, left eye below)
12910
12911@item ab2l
12912above-below with half height resolution
12913(left eye above, right eye below)
12914
12915@item ab2r
12916above-below with half height resolution
12917(right eye above, left eye below)
12918
12919@item al
12920alternating frames (left eye first, right eye second)
12921
12922@item ar
12923alternating frames (right eye first, left eye second)
12924
12925@item irl
12926interleaved rows (left eye has top row, right eye starts on next row)
12927
12928@item irr
12929interleaved rows (right eye has top row, left eye starts on next row)
12930
12931@item arbg
12932anaglyph red/blue gray
12933(red filter on left eye, blue filter on right eye)
12934
12935@item argg
12936anaglyph red/green gray
12937(red filter on left eye, green filter on right eye)
12938
12939@item arcg
12940anaglyph red/cyan gray
12941(red filter on left eye, cyan filter on right eye)
12942
12943@item arch
12944anaglyph red/cyan half colored
12945(red filter on left eye, cyan filter on right eye)
12946
12947@item arcc
12948anaglyph red/cyan color
12949(red filter on left eye, cyan filter on right eye)
12950
12951@item arcd
12952anaglyph red/cyan color optimized with the least squares projection of dubois
12953(red filter on left eye, cyan filter on right eye)
12954
12955@item agmg
12956anaglyph green/magenta gray
12957(green filter on left eye, magenta filter on right eye)
12958
12959@item agmh
12960anaglyph green/magenta half colored
12961(green filter on left eye, magenta filter on right eye)
12962
12963@item agmc
12964anaglyph green/magenta colored
12965(green filter on left eye, magenta filter on right eye)
12966
12967@item agmd
12968anaglyph green/magenta color optimized with the least squares projection of dubois
12969(green filter on left eye, magenta filter on right eye)
12970
12971@item aybg
12972anaglyph yellow/blue gray
12973(yellow filter on left eye, blue filter on right eye)
12974
12975@item aybh
12976anaglyph yellow/blue half colored
12977(yellow filter on left eye, blue filter on right eye)
12978
12979@item aybc
12980anaglyph yellow/blue colored
12981(yellow filter on left eye, blue filter on right eye)
12982
12983@item aybd
12984anaglyph yellow/blue color optimized with the least squares projection of dubois
12985(yellow filter on left eye, blue filter on right eye)
12986
12987@item ml
12988mono output (left eye only)
12989
12990@item mr
12991mono output (right eye only)
12992
12993@item chl
12994checkerboard, left eye first
12995
12996@item chr
12997checkerboard, right eye first
12998
12999@item icl
13000interleaved columns, left eye first
13001
13002@item icr
13003interleaved columns, right eye first
13004
13005@item hdmi
13006HDMI frame pack
13007@end table
13008
13009Default value is @samp{arcd}.
13010@end table
13011
13012@subsection Examples
13013
13014@itemize
13015@item
13016Convert input video from side by side parallel to anaglyph yellow/blue dubois:
13017@example
13018stereo3d=sbsl:aybd
13019@end example
13020
13021@item
13022Convert input video from above below (left eye above, right eye below) to side by side crosseye.
13023@example
13024stereo3d=abl:sbsr
13025@end example
13026@end itemize
13027
13028@section streamselect, astreamselect
13029Select video or audio streams.
13030
13031The filter accepts the following options:
13032
13033@table @option
13034@item inputs
13035Set number of inputs. Default is 2.
13036
13037@item map
13038Set input indexes to remap to outputs.
13039@end table
13040
13041@subsection Commands
13042
13043The @code{streamselect} and @code{astreamselect} filter supports the following
13044commands:
13045
13046@table @option
13047@item map
13048Set input indexes to remap to outputs.
13049@end table
13050
13051@subsection Examples
13052
13053@itemize
13054@item
13055Select first 5 seconds 1st stream and rest of time 2nd stream:
13056@example
13057sendcmd='5.0 streamselect map 1',streamselect=inputs=2:map=0
13058@end example
13059
13060@item
13061Same as above, but for audio:
13062@example
13063asendcmd='5.0 astreamselect map 1',astreamselect=inputs=2:map=0
13064@end example
13065@end itemize
13066
13067@section sobel
13068Apply sobel operator to input video stream.
13069
13070The filter accepts the following option:
13071
13072@table @option
13073@item planes
13074Set which planes will be processed, unprocessed planes will be copied.
13075By default value 0xf, all planes will be processed.
13076
13077@item scale
13078Set value which will be multiplied with filtered result.
13079
13080@item delta
13081Set value which will be added to filtered result.
13082@end table
13083
13084@anchor{spp}
13085@section spp
13086
13087Apply a simple postprocessing filter that compresses and decompresses the image
13088at several (or - in the case of @option{quality} level @code{6} - all) shifts
13089and average the results.
13090
13091The filter accepts the following options:
13092
13093@table @option
13094@item quality
13095Set quality. This option defines the number of levels for averaging. It accepts
13096an integer in the range 0-6. If set to @code{0}, the filter will have no
13097effect. A value of @code{6} means the higher quality. For each increment of
13098that value the speed drops by a factor of approximately 2. Default value is
13099@code{3}.
13100
13101@item qp
13102Force a constant quantization parameter. If not set, the filter will use the QP
13103from the video stream (if available).
13104
13105@item mode
13106Set thresholding mode. Available modes are:
13107
13108@table @samp
13109@item hard
13110Set hard thresholding (default).
13111@item soft
13112Set soft thresholding (better de-ringing effect, but likely blurrier).
13113@end table
13114
13115@item use_bframe_qp
13116Enable the use of the QP from the B-Frames if set to @code{1}. Using this
13117option may cause flicker since the B-Frames have often larger QP. Default is
13118@code{0} (not enabled).
13119@end table
13120
13121@anchor{subtitles}
13122@section subtitles
13123
13124Draw subtitles on top of input video using the libass library.
13125
13126To enable compilation of this filter you need to configure FFmpeg with
13127@code{--enable-libass}. This filter also requires a build with libavcodec and
13128libavformat to convert the passed subtitles file to ASS (Advanced Substation
13129Alpha) subtitles format.
13130
13131The filter accepts the following options:
13132
13133@table @option
13134@item filename, f
13135Set the filename of the subtitle file to read. It must be specified.
13136
13137@item original_size
13138Specify the size of the original video, the video for which the ASS file
13139was composed. For the syntax of this option, check the
13140@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
13141Due to a misdesign in ASS aspect ratio arithmetic, this is necessary to
13142correctly scale the fonts if the aspect ratio has been changed.
13143
13144@item fontsdir
13145Set a directory path containing fonts that can be used by the filter.
13146These fonts will be used in addition to whatever the font provider uses.
13147
13148@item charenc
13149Set subtitles input character encoding. @code{subtitles} filter only. Only
13150useful if not UTF-8.
13151
13152@item stream_index, si
13153Set subtitles stream index. @code{subtitles} filter only.
13154
13155@item force_style
13156Override default style or script info parameters of the subtitles. It accepts a
13157string containing ASS style format @code{KEY=VALUE} couples separated by ",".
13158@end table
13159
13160If the first key is not specified, it is assumed that the first value
13161specifies the @option{filename}.
13162
13163For example, to render the file @file{sub.srt} on top of the input
13164video, use the command:
13165@example
13166subtitles=sub.srt
13167@end example
13168
13169which is equivalent to:
13170@example
13171subtitles=filename=sub.srt
13172@end example
13173
13174To render the default subtitles stream from file @file{video.mkv}, use:
13175@example
13176subtitles=video.mkv
13177@end example
13178
13179To render the second subtitles stream from that file, use:
13180@example
13181subtitles=video.mkv:si=1
13182@end example
13183
13184To make the subtitles stream from @file{sub.srt} appear in transparent green
13185@code{DejaVu Serif}, use:
13186@example
13187subtitles=sub.srt:force_style='FontName=DejaVu Serif,PrimaryColour=&HAA00FF00'
13188@end example
13189
13190@section super2xsai
13191
13192Scale the input by 2x and smooth using the Super2xSaI (Scale and
13193Interpolate) pixel art scaling algorithm.
13194
13195Useful for enlarging pixel art images without reducing sharpness.
13196
13197@section swaprect
13198
13199Swap two rectangular objects in video.
13200
13201This filter accepts the following options:
13202
13203@table @option
13204@item w
13205Set object width.
13206
13207@item h
13208Set object height.
13209
13210@item x1
13211Set 1st rect x coordinate.
13212
13213@item y1
13214Set 1st rect y coordinate.
13215
13216@item x2
13217Set 2nd rect x coordinate.
13218
13219@item y2
13220Set 2nd rect y coordinate.
13221
13222All expressions are evaluated once for each frame.
13223@end table
13224
13225The all options are expressions containing the following constants:
13226
13227@table @option
13228@item w
13229@item h
13230The input width and height.
13231
13232@item a
13233same as @var{w} / @var{h}
13234
13235@item sar
13236input sample aspect ratio
13237
13238@item dar
13239input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}
13240
13241@item n
13242The number of the input frame, starting from 0.
13243
13244@item t
13245The timestamp expressed in seconds. It's NAN if the input timestamp is unknown.
13246
13247@item pos
13248the position in the file of the input frame, NAN if unknown
13249@end table
13250
13251@section swapuv
13252Swap U & V plane.
13253
13254@section telecine
13255
13256Apply telecine process to the video.
13257
13258This filter accepts the following options:
13259
13260@table @option
13261@item first_field
13262@table @samp
13263@item top, t
13264top field first
13265@item bottom, b
13266bottom field first
13267The default value is @code{top}.
13268@end table
13269
13270@item pattern
13271A string of numbers representing the pulldown pattern you wish to apply.
13272The default value is @code{23}.
13273@end table
13274
13275@example
13276Some typical patterns:
13277
13278NTSC output (30i):
1327927.5p: 32222
1328024p: 23 (classic)
1328124p: 2332 (preferred)
1328220p: 33
1328318p: 334
1328416p: 3444
13285
13286PAL output (25i):
1328727.5p: 12222
1328824p: 222222222223 ("Euro pulldown")
1328916.67p: 33
1329016p: 33333334
13291@end example
13292
13293@section threshold
13294
13295Apply threshold effect to video stream.
13296
13297This filter needs four video streams to perform thresholding.
13298First stream is stream we are filtering.
13299Second stream is holding threshold values, third stream is holding min values,
13300and last, fourth stream is holding max values.
13301
13302The filter accepts the following option:
13303
13304@table @option
13305@item planes
13306Set which planes will be processed, unprocessed planes will be copied.
13307By default value 0xf, all planes will be processed.
13308@end table
13309
13310For example if first stream pixel's component value is less then threshold value
13311of pixel component from 2nd threshold stream, third stream value will picked,
13312otherwise fourth stream pixel component value will be picked.
13313
13314Using color source filter one can perform various types of thresholding:
13315
13316@subsection Examples
13317
13318@itemize
13319@item
13320Binary threshold, using gray color as threshold:
13321@example
13322ffmpeg -i 320x240.avi -f lavfi -i color=gray -f lavfi -i color=black -f lavfi -i color=white -lavfi threshold output.avi
13323@end example
13324
13325@item
13326Inverted binary threshold, using gray color as threshold:
13327@example
13328ffmpeg -i 320x240.avi -f lavfi -i color=gray -f lavfi -i color=white -f lavfi -i color=black -lavfi threshold output.avi
13329@end example
13330
13331@item
13332Truncate binary threshold, using gray color as threshold:
13333@example
13334ffmpeg -i 320x240.avi -f lavfi -i color=gray -i 320x240.avi -f lavfi -i color=gray -lavfi threshold output.avi
13335@end example
13336
13337@item
13338Threshold to zero, using gray color as threshold:
13339@example
13340ffmpeg -i 320x240.avi -f lavfi -i color=gray -f lavfi -i color=white -i 320x240.avi -lavfi threshold output.avi
13341@end example
13342
13343@item
13344Inverted threshold to zero, using gray color as threshold:
13345@example
13346ffmpeg -i 320x240.avi -f lavfi -i color=gray -i 320x240.avi -f lavfi -i color=white -lavfi threshold output.avi
13347@end example
13348@end itemize
13349
13350@section thumbnail
13351Select the most representative frame in a given sequence of consecutive frames.
13352
13353The filter accepts the following options:
13354
13355@table @option
13356@item n
13357Set the frames batch size to analyze; in a set of @var{n} frames, the filter
13358will pick one of them, and then handle the next batch of @var{n} frames until
13359the end. Default is @code{100}.
13360@end table
13361
13362Since the filter keeps track of the whole frames sequence, a bigger @var{n}
13363value will result in a higher memory usage, so a high value is not recommended.
13364
13365@subsection Examples
13366
13367@itemize
13368@item
13369Extract one picture each 50 frames:
13370@example
13371thumbnail=50
13372@end example
13373
13374@item
13375Complete example of a thumbnail creation with @command{ffmpeg}:
13376@example
13377ffmpeg -i in.avi -vf thumbnail,scale=300:200 -frames:v 1 out.png
13378@end example
13379@end itemize
13380
13381@section tile
13382
13383Tile several successive frames together.
13384
13385The filter accepts the following options:
13386
13387@table @option
13388
13389@item layout
13390Set the grid size (i.e. the number of lines and columns). For the syntax of
13391this option, check the
13392@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
13393
13394@item nb_frames
13395Set the maximum number of frames to render in the given area. It must be less
13396than or equal to @var{w}x@var{h}. The default value is @code{0}, meaning all
13397the area will be used.
13398
13399@item margin
13400Set the outer border margin in pixels.
13401
13402@item padding
13403Set the inner border thickness (i.e. the number of pixels between frames). For
13404more advanced padding options (such as having different values for the edges),
13405refer to the pad video filter.
13406
13407@item color
13408Specify the color of the unused area. For the syntax of this option, check the
13409"Color" section in the ffmpeg-utils manual. The default value of @var{color}
13410is "black".
13411@end table
13412
13413@subsection Examples
13414
13415@itemize
13416@item
13417Produce 8x8 PNG tiles of all keyframes (@option{-skip_frame nokey}) in a movie:
13418@example
13419ffmpeg -skip_frame nokey -i file.avi -vf 'scale=128:72,tile=8x8' -an -vsync 0 keyframes%03d.png
13420@end example
13421The @option{-vsync 0} is necessary to prevent @command{ffmpeg} from
13422duplicating each output frame to accommodate the originally detected frame
13423rate.
13424
13425@item
13426Display @code{5} pictures in an area of @code{3x2} frames,
13427with @code{7} pixels between them, and @code{2} pixels of initial margin, using
13428mixed flat and named options:
13429@example
13430tile=3x2:nb_frames=5:padding=7:margin=2
13431@end example
13432@end itemize
13433
13434@section tinterlace
13435
13436Perform various types of temporal field interlacing.
13437
13438Frames are counted starting from 1, so the first input frame is
13439considered odd.
13440
13441The filter accepts the following options:
13442
13443@table @option
13444
13445@item mode
13446Specify the mode of the interlacing. This option can also be specified
13447as a value alone. See below for a list of values for this option.
13448
13449Available values are:
13450
13451@table @samp
13452@item merge, 0
13453Move odd frames into the upper field, even into the lower field,
13454generating a double height frame at half frame rate.
13455@example
13456 ------> time
13457Input:
13458Frame 1 Frame 2 Frame 3 Frame 4
13459
1346011111 22222 33333 44444
1346111111 22222 33333 44444
1346211111 22222 33333 44444
1346311111 22222 33333 44444
13464
13465Output:
1346611111 33333
1346722222 44444
1346811111 33333
1346922222 44444
1347011111 33333
1347122222 44444
1347211111 33333
1347322222 44444
13474@end example
13475
13476@item drop_even, 1
13477Only output odd frames, even frames are dropped, generating a frame with
13478unchanged height at half frame rate.
13479
13480@example
13481 ------> time
13482Input:
13483Frame 1 Frame 2 Frame 3 Frame 4
13484
1348511111 22222 33333 44444
1348611111 22222 33333 44444
1348711111 22222 33333 44444
1348811111 22222 33333 44444
13489
13490Output:
1349111111 33333
1349211111 33333
1349311111 33333
1349411111 33333
13495@end example
13496
13497@item drop_odd, 2
13498Only output even frames, odd frames are dropped, generating a frame with
13499unchanged height at half frame rate.
13500
13501@example
13502 ------> time
13503Input:
13504Frame 1 Frame 2 Frame 3 Frame 4
13505
1350611111 22222 33333 44444
1350711111 22222 33333 44444
1350811111 22222 33333 44444
1350911111 22222 33333 44444
13510
13511Output:
13512 22222 44444
13513 22222 44444
13514 22222 44444
13515 22222 44444
13516@end example
13517
13518@item pad, 3
13519Expand each frame to full height, but pad alternate lines with black,
13520generating a frame with double height at the same input frame rate.
13521
13522@example
13523 ------> time
13524Input:
13525Frame 1 Frame 2 Frame 3 Frame 4
13526
1352711111 22222 33333 44444
1352811111 22222 33333 44444
1352911111 22222 33333 44444
1353011111 22222 33333 44444
13531
13532Output:
1353311111 ..... 33333 .....
13534..... 22222 ..... 44444
1353511111 ..... 33333 .....
13536..... 22222 ..... 44444
1353711111 ..... 33333 .....
13538..... 22222 ..... 44444
1353911111 ..... 33333 .....
13540..... 22222 ..... 44444
13541@end example
13542
13543
13544@item interleave_top, 4
13545Interleave the upper field from odd frames with the lower field from
13546even frames, generating a frame with unchanged height at half frame rate.
13547
13548@example
13549 ------> time
13550Input:
13551Frame 1 Frame 2 Frame 3 Frame 4
13552
1355311111<- 22222 33333<- 44444
1355411111 22222<- 33333 44444<-
1355511111<- 22222 33333<- 44444
1355611111 22222<- 33333 44444<-
13557
13558Output:
1355911111 33333
1356022222 44444
1356111111 33333
1356222222 44444
13563@end example
13564
13565
13566@item interleave_bottom, 5
13567Interleave the lower field from odd frames with the upper field from
13568even frames, generating a frame with unchanged height at half frame rate.
13569
13570@example
13571 ------> time
13572Input:
13573Frame 1 Frame 2 Frame 3 Frame 4
13574
1357511111 22222<- 33333 44444<-
1357611111<- 22222 33333<- 44444
1357711111 22222<- 33333 44444<-
1357811111<- 22222 33333<- 44444
13579
13580Output:
1358122222 44444
1358211111 33333
1358322222 44444
1358411111 33333
13585@end example
13586
13587
13588@item interlacex2, 6
13589Double frame rate with unchanged height. Frames are inserted each
13590containing the second temporal field from the previous input frame and
13591the first temporal field from the next input frame. This mode relies on
13592the top_field_first flag. Useful for interlaced video displays with no
13593field synchronisation.
13594
13595@example
13596 ------> time
13597Input:
13598Frame 1 Frame 2 Frame 3 Frame 4
13599
1360011111 22222 33333 44444
13601 11111 22222 33333 44444
1360211111 22222 33333 44444
13603 11111 22222 33333 44444
13604
13605Output:
1360611111 22222 22222 33333 33333 44444 44444
13607 11111 11111 22222 22222 33333 33333 44444
1360811111 22222 22222 33333 33333 44444 44444
13609 11111 11111 22222 22222 33333 33333 44444
13610@end example
13611
13612
13613@item mergex2, 7
13614Move odd frames into the upper field, even into the lower field,
13615generating a double height frame at same frame rate.
13616
13617@example
13618 ------> time
13619Input:
13620Frame 1 Frame 2 Frame 3 Frame 4
13621
1362211111 22222 33333 44444
1362311111 22222 33333 44444
1362411111 22222 33333 44444
1362511111 22222 33333 44444
13626
13627Output:
1362811111 33333 33333 55555
1362922222 22222 44444 44444
1363011111 33333 33333 55555
1363122222 22222 44444 44444
1363211111 33333 33333 55555
1363322222 22222 44444 44444
1363411111 33333 33333 55555
1363522222 22222 44444 44444
13636@end example
13637
13638@end table
13639
13640Numeric values are deprecated but are accepted for backward
13641compatibility reasons.
13642
13643Default mode is @code{merge}.
13644
13645@item flags
13646Specify flags influencing the filter process.
13647
13648Available value for @var{flags} is:
13649
13650@table @option
13651@item low_pass_filter, vlfp
13652Enable vertical low-pass filtering in the filter.
13653Vertical low-pass filtering is required when creating an interlaced
13654destination from a progressive source which contains high-frequency
13655vertical detail. Filtering will reduce interlace 'twitter' and Moire
13656patterning.
13657
13658Vertical low-pass filtering can only be enabled for @option{mode}
13659@var{interleave_top} and @var{interleave_bottom}.
13660
13661@end table
13662@end table
13663
13664@section transpose
13665
13666Transpose rows with columns in the input video and optionally flip it.
13667
13668It accepts the following parameters:
13669
13670@table @option
13671
13672@item dir
13673Specify the transposition direction.
13674
13675Can assume the following values:
13676@table @samp
13677@item 0, 4, cclock_flip
13678Rotate by 90 degrees counterclockwise and vertically flip (default), that is:
13679@example
13680L.R L.l
13681. . -> . .
13682l.r R.r
13683@end example
13684
13685@item 1, 5, clock
13686Rotate by 90 degrees clockwise, that is:
13687@example
13688L.R l.L
13689. . -> . .
13690l.r r.R
13691@end example
13692
13693@item 2, 6, cclock
13694Rotate by 90 degrees counterclockwise, that is:
13695@example
13696L.R R.r
13697. . -> . .
13698l.r L.l
13699@end example
13700
13701@item 3, 7, clock_flip
13702Rotate by 90 degrees clockwise and vertically flip, that is:
13703@example
13704L.R r.R
13705. . -> . .
13706l.r l.L
13707@end example
13708@end table
13709
13710For values between 4-7, the transposition is only done if the input
13711video geometry is portrait and not landscape. These values are
13712deprecated, the @code{passthrough} option should be used instead.
13713
13714Numerical values are deprecated, and should be dropped in favor of
13715symbolic constants.
13716
13717@item passthrough
13718Do not apply the transposition if the input geometry matches the one
13719specified by the specified value. It accepts the following values:
13720@table @samp
13721@item none
13722Always apply transposition.
13723@item portrait
13724Preserve portrait geometry (when @var{height} >= @var{width}).
13725@item landscape
13726Preserve landscape geometry (when @var{width} >= @var{height}).
13727@end table
13728
13729Default value is @code{none}.
13730@end table
13731
13732For example to rotate by 90 degrees clockwise and preserve portrait
13733layout:
13734@example
13735transpose=dir=1:passthrough=portrait
13736@end example
13737
13738The command above can also be specified as:
13739@example
13740transpose=1:portrait
13741@end example
13742
13743@section trim
13744Trim the input so that the output contains one continuous subpart of the input.
13745
13746It accepts the following parameters:
13747@table @option
13748@item start
13749Specify the time of the start of the kept section, i.e. the frame with the
13750timestamp @var{start} will be the first frame in the output.
13751
13752@item end
13753Specify the time of the first frame that will be dropped, i.e. the frame
13754immediately preceding the one with the timestamp @var{end} will be the last
13755frame in the output.
13756
13757@item start_pts
13758This is the same as @var{start}, except this option sets the start timestamp
13759in timebase units instead of seconds.
13760
13761@item end_pts
13762This is the same as @var{end}, except this option sets the end timestamp
13763in timebase units instead of seconds.
13764
13765@item duration
13766The maximum duration of the output in seconds.
13767
13768@item start_frame
13769The number of the first frame that should be passed to the output.
13770
13771@item end_frame
13772The number of the first frame that should be dropped.
13773@end table
13774
13775@option{start}, @option{end}, and @option{duration} are expressed as time
13776duration specifications; see
13777@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
13778for the accepted syntax.
13779
13780Note that the first two sets of the start/end options and the @option{duration}
13781option look at the frame timestamp, while the _frame variants simply count the
13782frames that pass through the filter. Also note that this filter does not modify
13783the timestamps. If you wish for the output timestamps to start at zero, insert a
13784setpts filter after the trim filter.
13785
13786If multiple start or end options are set, this filter tries to be greedy and
13787keep all the frames that match at least one of the specified constraints. To keep
13788only the part that matches all the constraints at once, chain multiple trim
13789filters.
13790
13791The defaults are such that all the input is kept. So it is possible to set e.g.
13792just the end values to keep everything before the specified time.
13793
13794Examples:
13795@itemize
13796@item
13797Drop everything except the second minute of input:
13798@example
13799ffmpeg -i INPUT -vf trim=60:120
13800@end example
13801
13802@item
13803Keep only the first second:
13804@example
13805ffmpeg -i INPUT -vf trim=duration=1
13806@end example
13807
13808@end itemize
13809
13810
13811@anchor{unsharp}
13812@section unsharp
13813
13814Sharpen or blur the input video.
13815
13816It accepts the following parameters:
13817
13818@table @option
13819@item luma_msize_x, lx
13820Set the luma matrix horizontal size. It must be an odd integer between
138213 and 23. The default value is 5.
13822
13823@item luma_msize_y, ly
13824Set the luma matrix vertical size. It must be an odd integer between 3
13825and 23. The default value is 5.
13826
13827@item luma_amount, la
13828Set the luma effect strength. It must be a floating point number, reasonable
13829values lay between -1.5 and 1.5.
13830
13831Negative values will blur the input video, while positive values will
13832sharpen it, a value of zero will disable the effect.
13833
13834Default value is 1.0.
13835
13836@item chroma_msize_x, cx
13837Set the chroma matrix horizontal size. It must be an odd integer
13838between 3 and 23. The default value is 5.
13839
13840@item chroma_msize_y, cy
13841Set the chroma matrix vertical size. It must be an odd integer
13842between 3 and 23. The default value is 5.
13843
13844@item chroma_amount, ca
13845Set the chroma effect strength. It must be a floating point number, reasonable
13846values lay between -1.5 and 1.5.
13847
13848Negative values will blur the input video, while positive values will
13849sharpen it, a value of zero will disable the effect.
13850
13851Default value is 0.0.
13852
13853@item opencl
13854If set to 1, specify using OpenCL capabilities, only available if
13855FFmpeg was configured with @code{--enable-opencl}. Default value is 0.
13856
13857@end table
13858
13859All parameters are optional and default to the equivalent of the
13860string '5:5:1.0:5:5:0.0'.
13861
13862@subsection Examples
13863
13864@itemize
13865@item
13866Apply strong luma sharpen effect:
13867@example
13868unsharp=luma_msize_x=7:luma_msize_y=7:luma_amount=2.5
13869@end example
13870
13871@item
13872Apply a strong blur of both luma and chroma parameters:
13873@example
13874unsharp=7:7:-2:7:7:-2
13875@end example
13876@end itemize
13877
13878@section uspp
13879
13880Apply ultra slow/simple postprocessing filter that compresses and decompresses
13881the image at several (or - in the case of @option{quality} level @code{8} - all)
13882shifts and average the results.
13883
13884The way this differs from the behavior of spp is that uspp actually encodes &
13885decodes each case with libavcodec Snow, whereas spp uses a simplified intra only 8x8
13886DCT similar to MJPEG.
13887
13888The filter accepts the following options:
13889
13890@table @option
13891@item quality
13892Set quality. This option defines the number of levels for averaging. It accepts
13893an integer in the range 0-8. If set to @code{0}, the filter will have no
13894effect. A value of @code{8} means the higher quality. For each increment of
13895that value the speed drops by a factor of approximately 2. Default value is
13896@code{3}.
13897
13898@item qp
13899Force a constant quantization parameter. If not set, the filter will use the QP
13900from the video stream (if available).
13901@end table
13902
13903@section vaguedenoiser
13904
13905Apply a wavelet based denoiser.
13906
13907It transforms each frame from the video input into the wavelet domain,
13908using Cohen-Daubechies-Feauveau 9/7. Then it applies some filtering to
13909the obtained coefficients. It does an inverse wavelet transform after.
13910Due to wavelet properties, it should give a nice smoothed result, and
13911reduced noise, without blurring picture features.
13912
13913This filter accepts the following options:
13914
13915@table @option
13916@item threshold
13917The filtering strength. The higher, the more filtered the video will be.
13918Hard thresholding can use a higher threshold than soft thresholding
13919before the video looks overfiltered.
13920
13921@item method
13922The filtering method the filter will use.
13923
13924It accepts the following values:
13925@table @samp
13926@item hard
13927All values under the threshold will be zeroed.
13928
13929@item soft
13930All values under the threshold will be zeroed. All values above will be
13931reduced by the threshold.
13932
13933@item garrote
13934Scales or nullifies coefficients - intermediary between (more) soft and
13935(less) hard thresholding.
13936@end table
13937
13938@item nsteps
13939Number of times, the wavelet will decompose the picture. Picture can't
13940be decomposed beyond a particular point (typically, 8 for a 640x480
13941frame - as 2^9 = 512 > 480)
13942
13943@item percent
13944Partial of full denoising (limited coefficients shrinking), from 0 to 100.
13945
13946@item planes
13947A list of the planes to process. By default all planes are processed.
13948@end table
13949
13950@section vectorscope
13951
13952Display 2 color component values in the two dimensional graph (which is called
13953a vectorscope).
13954
13955This filter accepts the following options:
13956
13957@table @option
13958@item mode, m
13959Set vectorscope mode.
13960
13961It accepts the following values:
13962@table @samp
13963@item gray
13964Gray values are displayed on graph, higher brightness means more pixels have
13965same component color value on location in graph. This is the default mode.
13966
13967@item color
13968Gray values are displayed on graph. Surrounding pixels values which are not
13969present in video frame are drawn in gradient of 2 color components which are
13970set by option @code{x} and @code{y}. The 3rd color component is static.
13971
13972@item color2
13973Actual color components values present in video frame are displayed on graph.
13974
13975@item color3
13976Similar as color2 but higher frequency of same values @code{x} and @code{y}
13977on graph increases value of another color component, which is luminance by
13978default values of @code{x} and @code{y}.
13979
13980@item color4
13981Actual colors present in video frame are displayed on graph. If two different
13982colors map to same position on graph then color with higher value of component
13983not present in graph is picked.
13984
13985@item color5
13986Gray values are displayed on graph. Similar to @code{color} but with 3rd color
13987component picked from radial gradient.
13988@end table
13989
13990@item x
13991Set which color component will be represented on X-axis. Default is @code{1}.
13992
13993@item y
13994Set which color component will be represented on Y-axis. Default is @code{2}.
13995
13996@item intensity, i
13997Set intensity, used by modes: gray, color, color3 and color5 for increasing brightness
13998of color component which represents frequency of (X, Y) location in graph.
13999
14000@item envelope, e
14001@table @samp
14002@item none
14003No envelope, this is default.
14004
14005@item instant
14006Instant envelope, even darkest single pixel will be clearly highlighted.
14007
14008@item peak
14009Hold maximum and minimum values presented in graph over time. This way you
14010can still spot out of range values without constantly looking at vectorscope.
14011
14012@item peak+instant
14013Peak and instant envelope combined together.
14014@end table
14015
14016@item graticule, g
14017Set what kind of graticule to draw.
14018@table @samp
14019@item none
14020@item green
14021@item color
14022@end table
14023
14024@item opacity, o
14025Set graticule opacity.
14026
14027@item flags, f
14028Set graticule flags.
14029
14030@table @samp
14031@item white
14032Draw graticule for white point.
14033
14034@item black
14035Draw graticule for black point.
14036
14037@item name
14038Draw color points short names.
14039@end table
14040
14041@item bgopacity, b
14042Set background opacity.
14043
14044@item lthreshold, l
14045Set low threshold for color component not represented on X or Y axis.
14046Values lower than this value will be ignored. Default is 0.
14047Note this value is multiplied with actual max possible value one pixel component
14048can have. So for 8-bit input and low threshold value of 0.1 actual threshold
14049is 0.1 * 255 = 25.
14050
14051@item hthreshold, h
14052Set high threshold for color component not represented on X or Y axis.
14053Values higher than this value will be ignored. Default is 1.
14054Note this value is multiplied with actual max possible value one pixel component
14055can have. So for 8-bit input and high threshold value of 0.9 actual threshold
14056is 0.9 * 255 = 230.
14057
14058@item colorspace, c
14059Set what kind of colorspace to use when drawing graticule.
14060@table @samp
14061@item auto
14062@item 601
14063@item 709
14064@end table
14065Default is auto.
14066@end table
14067
14068@anchor{vidstabdetect}
14069@section vidstabdetect
14070
14071Analyze video stabilization/deshaking. Perform pass 1 of 2, see
14072@ref{vidstabtransform} for pass 2.
14073
14074This filter generates a file with relative translation and rotation
14075transform information about subsequent frames, which is then used by
14076the @ref{vidstabtransform} filter.
14077
14078To enable compilation of this filter you need to configure FFmpeg with
14079@code{--enable-libvidstab}.
14080
14081This filter accepts the following options:
14082
14083@table @option
14084@item result
14085Set the path to the file used to write the transforms information.
14086Default value is @file{transforms.trf}.
14087
14088@item shakiness
14089Set how shaky the video is and how quick the camera is. It accepts an
14090integer in the range 1-10, a value of 1 means little shakiness, a
14091value of 10 means strong shakiness. Default value is 5.
14092
14093@item accuracy
14094Set the accuracy of the detection process. It must be a value in the
14095range 1-15. A value of 1 means low accuracy, a value of 15 means high
14096accuracy. Default value is 15.
14097
14098@item stepsize
14099Set stepsize of the search process. The region around minimum is
14100scanned with 1 pixel resolution. Default value is 6.
14101
14102@item mincontrast
14103Set minimum contrast. Below this value a local measurement field is
14104discarded. Must be a floating point value in the range 0-1. Default
14105value is 0.3.
14106
14107@item tripod
14108Set reference frame number for tripod mode.
14109
14110If enabled, the motion of the frames is compared to a reference frame
14111in the filtered stream, identified by the specified number. The idea
14112is to compensate all movements in a more-or-less static scene and keep
14113the camera view absolutely still.
14114
14115If set to 0, it is disabled. The frames are counted starting from 1.
14116
14117@item show
14118Show fields and transforms in the resulting frames. It accepts an
14119integer in the range 0-2. Default value is 0, which disables any
14120visualization.
14121@end table
14122
14123@subsection Examples
14124
14125@itemize
14126@item
14127Use default values:
14128@example
14129vidstabdetect
14130@end example
14131
14132@item
14133Analyze strongly shaky movie and put the results in file
14134@file{mytransforms.trf}:
14135@example
14136vidstabdetect=shakiness=10:accuracy=15:result="mytransforms.trf"
14137@end example
14138
14139@item
14140Visualize the result of internal transformations in the resulting
14141video:
14142@example
14143vidstabdetect=show=1
14144@end example
14145
14146@item
14147Analyze a video with medium shakiness using @command{ffmpeg}:
14148@example
14149ffmpeg -i input -vf vidstabdetect=shakiness=5:show=1 dummy.avi
14150@end example
14151@end itemize
14152
14153@anchor{vidstabtransform}
14154@section vidstabtransform
14155
14156Video stabilization/deshaking: pass 2 of 2,
14157see @ref{vidstabdetect} for pass 1.
14158
14159Read a file with transform information for each frame and
14160apply/compensate them. Together with the @ref{vidstabdetect}
14161filter this can be used to deshake videos. See also
14162@url{http://public.hronopik.de/vid.stab}. It is important to also use
14163the @ref{unsharp} filter, see below.
14164
14165To enable compilation of this filter you need to configure FFmpeg with
14166@code{--enable-libvidstab}.
14167
14168@subsection Options
14169
14170@table @option
14171@item input
14172Set path to the file used to read the transforms. Default value is
14173@file{transforms.trf}.
14174
14175@item smoothing
14176Set the number of frames (value*2 + 1) used for lowpass filtering the
14177camera movements. Default value is 10.
14178
14179For example a number of 10 means that 21 frames are used (10 in the
14180past and 10 in the future) to smoothen the motion in the video. A
14181larger value leads to a smoother video, but limits the acceleration of
14182the camera (pan/tilt movements). 0 is a special case where a static
14183camera is simulated.
14184
14185@item optalgo
14186Set the camera path optimization algorithm.
14187
14188Accepted values are:
14189@table @samp
14190@item gauss
14191gaussian kernel low-pass filter on camera motion (default)
14192@item avg
14193averaging on transformations
14194@end table
14195
14196@item maxshift
14197Set maximal number of pixels to translate frames. Default value is -1,
14198meaning no limit.
14199
14200@item maxangle
14201Set maximal angle in radians (degree*PI/180) to rotate frames. Default
14202value is -1, meaning no limit.
14203
14204@item crop
14205Specify how to deal with borders that may be visible due to movement
14206compensation.
14207
14208Available values are:
14209@table @samp
14210@item keep
14211keep image information from previous frame (default)
14212@item black
14213fill the border black
14214@end table
14215
14216@item invert
14217Invert transforms if set to 1. Default value is 0.
14218
14219@item relative
14220Consider transforms as relative to previous frame if set to 1,
14221absolute if set to 0. Default value is 0.
14222
14223@item zoom
14224Set percentage to zoom. A positive value will result in a zoom-in
14225effect, a negative value in a zoom-out effect. Default value is 0 (no
14226zoom).
14227
14228@item optzoom
14229Set optimal zooming to avoid borders.
14230
14231Accepted values are:
14232@table @samp
14233@item 0
14234disabled
14235@item 1
14236optimal static zoom value is determined (only very strong movements
14237will lead to visible borders) (default)
14238@item 2
14239optimal adaptive zoom value is determined (no borders will be
14240visible), see @option{zoomspeed}
14241@end table
14242
14243Note that the value given at zoom is added to the one calculated here.
14244
14245@item zoomspeed
14246Set percent to zoom maximally each frame (enabled when
14247@option{optzoom} is set to 2). Range is from 0 to 5, default value is
142480.25.
14249
14250@item interpol
14251Specify type of interpolation.
14252
14253Available values are:
14254@table @samp
14255@item no
14256no interpolation
14257@item linear
14258linear only horizontal
14259@item bilinear
14260linear in both directions (default)
14261@item bicubic
14262cubic in both directions (slow)
14263@end table
14264
14265@item tripod
14266Enable virtual tripod mode if set to 1, which is equivalent to
14267@code{relative=0:smoothing=0}. Default value is 0.
14268
14269Use also @code{tripod} option of @ref{vidstabdetect}.
14270
14271@item debug
14272Increase log verbosity if set to 1. Also the detected global motions
14273are written to the temporary file @file{global_motions.trf}. Default
14274value is 0.
14275@end table
14276
14277@subsection Examples
14278
14279@itemize
14280@item
14281Use @command{ffmpeg} for a typical stabilization with default values:
14282@example
14283ffmpeg -i inp.mpeg -vf vidstabtransform,unsharp=5:5:0.8:3:3:0.4 inp_stabilized.mpeg
14284@end example
14285
14286Note the use of the @ref{unsharp} filter which is always recommended.
14287
14288@item
14289Zoom in a bit more and load transform data from a given file:
14290@example
14291vidstabtransform=zoom=5:input="mytransforms.trf"
14292@end example
14293
14294@item
14295Smoothen the video even more:
14296@example
14297vidstabtransform=smoothing=30
14298@end example
14299@end itemize
14300
14301@section vflip
14302
14303Flip the input video vertically.
14304
14305For example, to vertically flip a video with @command{ffmpeg}:
14306@example
14307ffmpeg -i in.avi -vf "vflip" out.avi
14308@end example
14309
14310@anchor{vignette}
14311@section vignette
14312
14313Make or reverse a natural vignetting effect.
14314
14315The filter accepts the following options:
14316
14317@table @option
14318@item angle, a
14319Set lens angle expression as a number of radians.
14320
14321The value is clipped in the @code{[0,PI/2]} range.
14322
14323Default value: @code{"PI/5"}
14324
14325@item x0
14326@item y0
14327Set center coordinates expressions. Respectively @code{"w/2"} and @code{"h/2"}
14328by default.
14329
14330@item mode
14331Set forward/backward mode.
14332
14333Available modes are:
14334@table @samp
14335@item forward
14336The larger the distance from the central point, the darker the image becomes.
14337
14338@item backward
14339The larger the distance from the central point, the brighter the image becomes.
14340This can be used to reverse a vignette effect, though there is no automatic
14341detection to extract the lens @option{angle} and other settings (yet). It can
14342also be used to create a burning effect.
14343@end table
14344
14345Default value is @samp{forward}.
14346
14347@item eval
14348Set evaluation mode for the expressions (@option{angle}, @option{x0}, @option{y0}).
14349
14350It accepts the following values:
14351@table @samp
14352@item init
14353Evaluate expressions only once during the filter initialization.
14354
14355@item frame
14356Evaluate expressions for each incoming frame. This is way slower than the
14357@samp{init} mode since it requires all the scalers to be re-computed, but it
14358allows advanced dynamic expressions.
14359@end table
14360
14361Default value is @samp{init}.
14362
14363@item dither
14364Set dithering to reduce the circular banding effects. Default is @code{1}
14365(enabled).
14366
14367@item aspect
14368Set vignette aspect. This setting allows one to adjust the shape of the vignette.
14369Setting this value to the SAR of the input will make a rectangular vignetting
14370following the dimensions of the video.
14371
14372Default is @code{1/1}.
14373@end table
14374
14375@subsection Expressions
14376
14377The @option{alpha}, @option{x0} and @option{y0} expressions can contain the
14378following parameters.
14379
14380@table @option
14381@item w
14382@item h
14383input width and height
14384
14385@item n
14386the number of input frame, starting from 0
14387
14388@item pts
14389the PTS (Presentation TimeStamp) time of the filtered video frame, expressed in
14390@var{TB} units, NAN if undefined
14391
14392@item r
14393frame rate of the input video, NAN if the input frame rate is unknown
14394
14395@item t
14396the PTS (Presentation TimeStamp) of the filtered video frame,
14397expressed in seconds, NAN if undefined
14398
14399@item tb
14400time base of the input video
14401@end table
14402
14403
14404@subsection Examples
14405
14406@itemize
14407@item
14408Apply simple strong vignetting effect:
14409@example
14410vignette=PI/4
14411@end example
14412
14413@item
14414Make a flickering vignetting:
14415@example
14416vignette='PI/4+random(1)*PI/50':eval=frame
14417@end example
14418
14419@end itemize
14420
14421@section vstack
14422Stack input videos vertically.
14423
14424All streams must be of same pixel format and of same width.
14425
14426Note that this filter is faster than using @ref{overlay} and @ref{pad} filter
14427to create same output.
14428
14429The filter accept the following option:
14430
14431@table @option
14432@item inputs
14433Set number of input streams. Default is 2.
14434
14435@item shortest
14436If set to 1, force the output to terminate when the shortest input
14437terminates. Default value is 0.
14438@end table
14439
14440@section w3fdif
14441
14442Deinterlace the input video ("w3fdif" stands for "Weston 3 Field
14443Deinterlacing Filter").
14444
14445Based on the process described by Martin Weston for BBC R&D, and
14446implemented based on the de-interlace algorithm written by Jim
14447Easterbrook for BBC R&D, the Weston 3 field deinterlacing filter
14448uses filter coefficients calculated by BBC R&D.
14449
14450There are two sets of filter coefficients, so called "simple":
14451and "complex". Which set of filter coefficients is used can
14452be set by passing an optional parameter:
14453
14454@table @option
14455@item filter
14456Set the interlacing filter coefficients. Accepts one of the following values:
14457
14458@table @samp
14459@item simple
14460Simple filter coefficient set.
14461@item complex
14462More-complex filter coefficient set.
14463@end table
14464Default value is @samp{complex}.
14465
14466@item deint
14467Specify which frames to deinterlace. Accept one of the following values:
14468
14469@table @samp
14470@item all
14471Deinterlace all frames,
14472@item interlaced
14473Only deinterlace frames marked as interlaced.
14474@end table
14475
14476Default value is @samp{all}.
14477@end table
14478
14479@section waveform
14480Video waveform monitor.
14481
14482The waveform monitor plots color component intensity. By default luminance
14483only. Each column of the waveform corresponds to a column of pixels in the
14484source video.
14485
14486It accepts the following options:
14487
14488@table @option
14489@item mode, m
14490Can be either @code{row}, or @code{column}. Default is @code{column}.
14491In row mode, the graph on the left side represents color component value 0 and
14492the right side represents value = 255. In column mode, the top side represents
14493color component value = 0 and bottom side represents value = 255.
14494
14495@item intensity, i
14496Set intensity. Smaller values are useful to find out how many values of the same
14497luminance are distributed across input rows/columns.
14498Default value is @code{0.04}. Allowed range is [0, 1].
14499
14500@item mirror, r
14501Set mirroring mode. @code{0} means unmirrored, @code{1} means mirrored.
14502In mirrored mode, higher values will be represented on the left
14503side for @code{row} mode and at the top for @code{column} mode. Default is
14504@code{1} (mirrored).
14505
14506@item display, d
14507Set display mode.
14508It accepts the following values:
14509@table @samp
14510@item overlay
14511Presents information identical to that in the @code{parade}, except
14512that the graphs representing color components are superimposed directly
14513over one another.
14514
14515This display mode makes it easier to spot relative differences or similarities
14516in overlapping areas of the color components that are supposed to be identical,
14517such as neutral whites, grays, or blacks.
14518
14519@item stack
14520Display separate graph for the color components side by side in
14521@code{row} mode or one below the other in @code{column} mode.
14522
14523@item parade
14524Display separate graph for the color components side by side in
14525@code{column} mode or one below the other in @code{row} mode.
14526
14527Using this display mode makes it easy to spot color casts in the highlights
14528and shadows of an image, by comparing the contours of the top and the bottom
14529graphs of each waveform. Since whites, grays, and blacks are characterized
14530by exactly equal amounts of red, green, and blue, neutral areas of the picture
14531should display three waveforms of roughly equal width/height. If not, the
14532correction is easy to perform by making level adjustments the three waveforms.
14533@end table
14534Default is @code{stack}.
14535
14536@item components, c
14537Set which color components to display. Default is 1, which means only luminance
14538or red color component if input is in RGB colorspace. If is set for example to
145397 it will display all 3 (if) available color components.
14540
14541@item envelope, e
14542@table @samp
14543@item none
14544No envelope, this is default.
14545
14546@item instant
14547Instant envelope, minimum and maximum values presented in graph will be easily
14548visible even with small @code{step} value.
14549
14550@item peak
14551Hold minimum and maximum values presented in graph across time. This way you
14552can still spot out of range values without constantly looking at waveforms.
14553
14554@item peak+instant
14555Peak and instant envelope combined together.
14556@end table
14557
14558@item filter, f
14559@table @samp
14560@item lowpass
14561No filtering, this is default.
14562
14563@item flat
14564Luma and chroma combined together.
14565
14566@item aflat
14567Similar as above, but shows difference between blue and red chroma.
14568
14569@item chroma
14570Displays only chroma.
14571
14572@item color
14573Displays actual color value on waveform.
14574
14575@item acolor
14576Similar as above, but with luma showing frequency of chroma values.
14577@end table
14578
14579@item graticule, g
14580Set which graticule to display.
14581
14582@table @samp
14583@item none
14584Do not display graticule.
14585
14586@item green
14587Display green graticule showing legal broadcast ranges.
14588@end table
14589
14590@item opacity, o
14591Set graticule opacity.
14592
14593@item flags, fl
14594Set graticule flags.
14595
14596@table @samp
14597@item numbers
14598Draw numbers above lines. By default enabled.
14599
14600@item dots
14601Draw dots instead of lines.
14602@end table
14603
14604@item scale, s
14605Set scale used for displaying graticule.
14606
14607@table @samp
14608@item digital
14609@item millivolts
14610@item ire
14611@end table
14612Default is digital.
14613
14614@item bgopacity, b
14615Set background opacity.
14616@end table
14617
14618@section weave
14619
14620The @code{weave} takes a field-based video input and join
14621each two sequential fields into single frame, producing a new double
14622height clip with half the frame rate and half the frame count.
14623
14624It accepts the following option:
14625
14626@table @option
14627@item first_field
14628Set first field. Available values are:
14629
14630@table @samp
14631@item top, t
14632Set the frame as top-field-first.
14633
14634@item bottom, b
14635Set the frame as bottom-field-first.
14636@end table
14637@end table
14638
14639@subsection Examples
14640
14641@itemize
14642@item
14643Interlace video using @ref{select} and @ref{separatefields} filter:
14644@example
14645separatefields,select=eq(mod(n,4),0)+eq(mod(n,4),3),weave
14646@end example
14647@end itemize
14648
14649@section xbr
14650Apply the xBR high-quality magnification filter which is designed for pixel
14651art. It follows a set of edge-detection rules, see
14652@url{http://www.libretro.com/forums/viewtopic.php?f=6&t=134}.
14653
14654It accepts the following option:
14655
14656@table @option
14657@item n
14658Set the scaling dimension: @code{2} for @code{2xBR}, @code{3} for
14659@code{3xBR} and @code{4} for @code{4xBR}.
14660Default is @code{3}.
14661@end table
14662
14663@anchor{yadif}
14664@section yadif
14665
14666Deinterlace the input video ("yadif" means "yet another deinterlacing
14667filter").
14668
14669It accepts the following parameters:
14670
14671
14672@table @option
14673
14674@item mode
14675The interlacing mode to adopt. It accepts one of the following values:
14676
14677@table @option
14678@item 0, send_frame
14679Output one frame for each frame.
14680@item 1, send_field
14681Output one frame for each field.
14682@item 2, send_frame_nospatial
14683Like @code{send_frame}, but it skips the spatial interlacing check.
14684@item 3, send_field_nospatial
14685Like @code{send_field}, but it skips the spatial interlacing check.
14686@end table
14687
14688The default value is @code{send_frame}.
14689
14690@item parity
14691The picture field parity assumed for the input interlaced video. It accepts one
14692of the following values:
14693
14694@table @option
14695@item 0, tff
14696Assume the top field is first.
14697@item 1, bff
14698Assume the bottom field is first.
14699@item -1, auto
14700Enable automatic detection of field parity.
14701@end table
14702
14703The default value is @code{auto}.
14704If the interlacing is unknown or the decoder does not export this information,
14705top field first will be assumed.
14706
14707@item deint
14708Specify which frames to deinterlace. Accept one of the following
14709values:
14710
14711@table @option
14712@item 0, all
14713Deinterlace all frames.
14714@item 1, interlaced
14715Only deinterlace frames marked as interlaced.
14716@end table
14717
14718The default value is @code{all}.
14719@end table
14720
14721@section zoompan
14722
14723Apply Zoom & Pan effect.
14724
14725This filter accepts the following options:
14726
14727@table @option
14728@item zoom, z
14729Set the zoom expression. Default is 1.
14730
14731@item x
14732@item y
14733Set the x and y expression. Default is 0.
14734
14735@item d
14736Set the duration expression in number of frames.
14737This sets for how many number of frames effect will last for
14738single input image.
14739
14740@item s
14741Set the output image size, default is 'hd720'.
14742
14743@item fps
14744Set the output frame rate, default is '25'.
14745@end table
14746
14747Each expression can contain the following constants:
14748
14749@table @option
14750@item in_w, iw
14751Input width.
14752
14753@item in_h, ih
14754Input height.
14755
14756@item out_w, ow
14757Output width.
14758
14759@item out_h, oh
14760Output height.
14761
14762@item in
14763Input frame count.
14764
14765@item on
14766Output frame count.
14767
14768@item x
14769@item y
14770Last calculated 'x' and 'y' position from 'x' and 'y' expression
14771for current input frame.
14772
14773@item px
14774@item py
14775'x' and 'y' of last output frame of previous input frame or 0 when there was
14776not yet such frame (first input frame).
14777
14778@item zoom
14779Last calculated zoom from 'z' expression for current input frame.
14780
14781@item pzoom
14782Last calculated zoom of last output frame of previous input frame.
14783
14784@item duration
14785Number of output frames for current input frame. Calculated from 'd' expression
14786for each input frame.
14787
14788@item pduration
14789number of output frames created for previous input frame
14790
14791@item a
14792Rational number: input width / input height
14793
14794@item sar
14795sample aspect ratio
14796
14797@item dar
14798display aspect ratio
14799
14800@end table
14801
14802@subsection Examples
14803
14804@itemize
14805@item
14806Zoom-in up to 1.5 and pan at same time to some spot near center of picture:
14807@example
14808zoompan=z='min(zoom+0.0015,1.5)':d=700:x='if(gte(zoom,1.5),x,x+1/a)':y='if(gte(zoom,1.5),y,y+1)':s=640x360
14809@end example
14810
14811@item
14812Zoom-in up to 1.5 and pan always at center of picture:
14813@example
14814zoompan=z='min(zoom+0.0015,1.5)':d=700:x='iw/2-(iw/zoom/2)':y='ih/2-(ih/zoom/2)'
14815@end example
14816
14817@item
14818Same as above but without pausing:
14819@example
14820zoompan=z='min(max(zoom,pzoom)+0.0015,1.5)':d=1:x='iw/2-(iw/zoom/2)':y='ih/2-(ih/zoom/2)'
14821@end example
14822@end itemize
14823
14824@section zscale
14825Scale (resize) the input video, using the z.lib library:
14826https://github.com/sekrit-twc/zimg.
14827
14828The zscale filter forces the output display aspect ratio to be the same
14829as the input, by changing the output sample aspect ratio.
14830
14831If the input image format is different from the format requested by
14832the next filter, the zscale filter will convert the input to the
14833requested format.
14834
14835@subsection Options
14836The filter accepts the following options.
14837
14838@table @option
14839@item width, w
14840@item height, h
14841Set the output video dimension expression. Default value is the input
14842dimension.
14843
14844If the @var{width} or @var{w} is 0, the input width is used for the output.
14845If the @var{height} or @var{h} is 0, the input height is used for the output.
14846
14847If one of the values is -1, the zscale filter will use a value that
14848maintains the aspect ratio of the input image, calculated from the
14849other specified dimension. If both of them are -1, the input size is
14850used
14851
14852If one of the values is -n with n > 1, the zscale filter will also use a value
14853that maintains the aspect ratio of the input image, calculated from the other
14854specified dimension. After that it will, however, make sure that the calculated
14855dimension is divisible by n and adjust the value if necessary.
14856
14857See below for the list of accepted constants for use in the dimension
14858expression.
14859
14860@item size, s
14861Set the video size. For the syntax of this option, check the
14862@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
14863
14864@item dither, d
14865Set the dither type.
14866
14867Possible values are:
14868@table @var
14869@item none
14870@item ordered
14871@item random
14872@item error_diffusion
14873@end table
14874
14875Default is none.
14876
14877@item filter, f
14878Set the resize filter type.
14879
14880Possible values are:
14881@table @var
14882@item point
14883@item bilinear
14884@item bicubic
14885@item spline16
14886@item spline36
14887@item lanczos
14888@end table
14889
14890Default is bilinear.
14891
14892@item range, r
14893Set the color range.
14894
14895Possible values are:
14896@table @var
14897@item input
14898@item limited
14899@item full
14900@end table
14901
14902Default is same as input.
14903
14904@item primaries, p
14905Set the color primaries.
14906
14907Possible values are:
14908@table @var
14909@item input
14910@item 709
14911@item unspecified
14912@item 170m
14913@item 240m
14914@item 2020
14915@end table
14916
14917Default is same as input.
14918
14919@item transfer, t
14920Set the transfer characteristics.
14921
14922Possible values are:
14923@table @var
14924@item input
14925@item 709
14926@item unspecified
14927@item 601
14928@item linear
14929@item 2020_10
14930@item 2020_12
14931@item smpte2084
14932@item iec61966-2-1
14933@item arib-std-b67
14934@end table
14935
14936Default is same as input.
14937
14938@item matrix, m
14939Set the colorspace matrix.
14940
14941Possible value are:
14942@table @var
14943@item input
14944@item 709
14945@item unspecified
14946@item 470bg
14947@item 170m
14948@item 2020_ncl
14949@item 2020_cl
14950@end table
14951
14952Default is same as input.
14953
14954@item rangein, rin
14955Set the input color range.
14956
14957Possible values are:
14958@table @var
14959@item input
14960@item limited
14961@item full
14962@end table
14963
14964Default is same as input.
14965
14966@item primariesin, pin
14967Set the input color primaries.
14968
14969Possible values are:
14970@table @var
14971@item input
14972@item 709
14973@item unspecified
14974@item 170m
14975@item 240m
14976@item 2020
14977@end table
14978
14979Default is same as input.
14980
14981@item transferin, tin
14982Set the input transfer characteristics.
14983
14984Possible values are:
14985@table @var
14986@item input
14987@item 709
14988@item unspecified
14989@item 601
14990@item linear
14991@item 2020_10
14992@item 2020_12
14993@end table
14994
14995Default is same as input.
14996
14997@item matrixin, min
14998Set the input colorspace matrix.
14999
15000Possible value are:
15001@table @var
15002@item input
15003@item 709
15004@item unspecified
15005@item 470bg
15006@item 170m
15007@item 2020_ncl
15008@item 2020_cl
15009@end table
15010
15011@item chromal, c
15012Set the output chroma location.
15013
15014Possible values are:
15015@table @var
15016@item input
15017@item left
15018@item center
15019@item topleft
15020@item top
15021@item bottomleft
15022@item bottom
15023@end table
15024
15025@item chromalin, cin
15026Set the input chroma location.
15027
15028Possible values are:
15029@table @var
15030@item input
15031@item left
15032@item center
15033@item topleft
15034@item top
15035@item bottomleft
15036@item bottom
15037@end table
15038
15039@item npl
15040Set the nominal peak luminance.
15041@end table
15042
15043The values of the @option{w} and @option{h} options are expressions
15044containing the following constants:
15045
15046@table @var
15047@item in_w
15048@item in_h
15049The input width and height
15050
15051@item iw
15052@item ih
15053These are the same as @var{in_w} and @var{in_h}.
15054
15055@item out_w
15056@item out_h
15057The output (scaled) width and height
15058
15059@item ow
15060@item oh
15061These are the same as @var{out_w} and @var{out_h}
15062
15063@item a
15064The same as @var{iw} / @var{ih}
15065
15066@item sar
15067input sample aspect ratio
15068
15069@item dar
15070The input display aspect ratio. Calculated from @code{(iw / ih) * sar}.
15071
15072@item hsub
15073@item vsub
15074horizontal and vertical input chroma subsample values. For example for the
15075pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
15076
15077@item ohsub
15078@item ovsub
15079horizontal and vertical output chroma subsample values. For example for the
15080pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
15081@end table
15082
15083@table @option
15084@end table
15085
15086@c man end VIDEO FILTERS
15087
15088@chapter Video Sources
15089@c man begin VIDEO SOURCES
15090
15091Below is a description of the currently available video sources.
15092
15093@section buffer
15094
15095Buffer video frames, and make them available to the filter chain.
15096
15097This source is mainly intended for a programmatic use, in particular
15098through the interface defined in @file{libavfilter/vsrc_buffer.h}.
15099
15100It accepts the following parameters:
15101
15102@table @option
15103
15104@item video_size
15105Specify the size (width and height) of the buffered video frames. For the
15106syntax of this option, check the
15107@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15108
15109@item width
15110The input video width.
15111
15112@item height
15113The input video height.
15114
15115@item pix_fmt
15116A string representing the pixel format of the buffered video frames.
15117It may be a number corresponding to a pixel format, or a pixel format
15118name.
15119
15120@item time_base
15121Specify the timebase assumed by the timestamps of the buffered frames.
15122
15123@item frame_rate
15124Specify the frame rate expected for the video stream.
15125
15126@item pixel_aspect, sar
15127The sample (pixel) aspect ratio of the input video.
15128
15129@item sws_param
15130Specify the optional parameters to be used for the scale filter which
15131is automatically inserted when an input change is detected in the
15132input size or format.
15133
15134@item hw_frames_ctx
15135When using a hardware pixel format, this should be a reference to an
15136AVHWFramesContext describing input frames.
15137@end table
15138
15139For example:
15140@example
15141buffer=width=320:height=240:pix_fmt=yuv410p:time_base=1/24:sar=1
15142@end example
15143
15144will instruct the source to accept video frames with size 320x240 and
15145with format "yuv410p", assuming 1/24 as the timestamps timebase and
15146square pixels (1:1 sample aspect ratio).
15147Since the pixel format with name "yuv410p" corresponds to the number 6
15148(check the enum AVPixelFormat definition in @file{libavutil/pixfmt.h}),
15149this example corresponds to:
15150@example
15151buffer=size=320x240:pixfmt=6:time_base=1/24:pixel_aspect=1/1
15152@end example
15153
15154Alternatively, the options can be specified as a flat string, but this
15155syntax is deprecated:
15156
15157@var{width}:@var{height}:@var{pix_fmt}:@var{time_base.num}:@var{time_base.den}:@var{pixel_aspect.num}:@var{pixel_aspect.den}[:@var{sws_param}]
15158
15159@section cellauto
15160
15161Create a pattern generated by an elementary cellular automaton.
15162
15163The initial state of the cellular automaton can be defined through the
15164@option{filename} and @option{pattern} options. If such options are
15165not specified an initial state is created randomly.
15166
15167At each new frame a new row in the video is filled with the result of
15168the cellular automaton next generation. The behavior when the whole
15169frame is filled is defined by the @option{scroll} option.
15170
15171This source accepts the following options:
15172
15173@table @option
15174@item filename, f
15175Read the initial cellular automaton state, i.e. the starting row, from
15176the specified file.
15177In the file, each non-whitespace character is considered an alive
15178cell, a newline will terminate the row, and further characters in the
15179file will be ignored.
15180
15181@item pattern, p
15182Read the initial cellular automaton state, i.e. the starting row, from
15183the specified string.
15184
15185Each non-whitespace character in the string is considered an alive
15186cell, a newline will terminate the row, and further characters in the
15187string will be ignored.
15188
15189@item rate, r
15190Set the video rate, that is the number of frames generated per second.
15191Default is 25.
15192
15193@item random_fill_ratio, ratio
15194Set the random fill ratio for the initial cellular automaton row. It
15195is a floating point number value ranging from 0 to 1, defaults to
151961/PHI.
15197
15198This option is ignored when a file or a pattern is specified.
15199
15200@item random_seed, seed
15201Set the seed for filling randomly the initial row, must be an integer
15202included between 0 and UINT32_MAX. If not specified, or if explicitly
15203set to -1, the filter will try to use a good random seed on a best
15204effort basis.
15205
15206@item rule
15207Set the cellular automaton rule, it is a number ranging from 0 to 255.
15208Default value is 110.
15209
15210@item size, s
15211Set the size of the output video. For the syntax of this option, check the
15212@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15213
15214If @option{filename} or @option{pattern} is specified, the size is set
15215by default to the width of the specified initial state row, and the
15216height is set to @var{width} * PHI.
15217
15218If @option{size} is set, it must contain the width of the specified
15219pattern string, and the specified pattern will be centered in the
15220larger row.
15221
15222If a filename or a pattern string is not specified, the size value
15223defaults to "320x518" (used for a randomly generated initial state).
15224
15225@item scroll
15226If set to 1, scroll the output upward when all the rows in the output
15227have been already filled. If set to 0, the new generated row will be
15228written over the top row just after the bottom row is filled.
15229Defaults to 1.
15230
15231@item start_full, full
15232If set to 1, completely fill the output with generated rows before
15233outputting the first frame.
15234This is the default behavior, for disabling set the value to 0.
15235
15236@item stitch
15237If set to 1, stitch the left and right row edges together.
15238This is the default behavior, for disabling set the value to 0.
15239@end table
15240
15241@subsection Examples
15242
15243@itemize
15244@item
15245Read the initial state from @file{pattern}, and specify an output of
15246size 200x400.
15247@example
15248cellauto=f=pattern:s=200x400
15249@end example
15250
15251@item
15252Generate a random initial row with a width of 200 cells, with a fill
15253ratio of 2/3:
15254@example
15255cellauto=ratio=2/3:s=200x200
15256@end example
15257
15258@item
15259Create a pattern generated by rule 18 starting by a single alive cell
15260centered on an initial row with width 100:
15261@example
15262cellauto=p=@@:s=100x400:full=0:rule=18
15263@end example
15264
15265@item
15266Specify a more elaborated initial pattern:
15267@example
15268cellauto=p='@@@@ @@ @@@@':s=100x400:full=0:rule=18
15269@end example
15270
15271@end itemize
15272
15273@anchor{coreimagesrc}
15274@section coreimagesrc
15275Video source generated on GPU using Apple's CoreImage API on OSX.
15276
15277This video source is a specialized version of the @ref{coreimage} video filter.
15278Use a core image generator at the beginning of the applied filterchain to
15279generate the content.
15280
15281The coreimagesrc video source accepts the following options:
15282@table @option
15283@item list_generators
15284List all available generators along with all their respective options as well as
15285possible minimum and maximum values along with the default values.
15286@example
15287list_generators=true
15288@end example
15289
15290@item size, s
15291Specify the size of the sourced video. For the syntax of this option, check the
15292@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15293The default value is @code{320x240}.
15294
15295@item rate, r
15296Specify the frame rate of the sourced video, as the number of frames
15297generated per second. It has to be a string in the format
15298@var{frame_rate_num}/@var{frame_rate_den}, an integer number, a floating point
15299number or a valid video frame rate abbreviation. The default value is
15300"25".
15301
15302@item sar
15303Set the sample aspect ratio of the sourced video.
15304
15305@item duration, d
15306Set the duration of the sourced video. See
15307@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
15308for the accepted syntax.
15309
15310If not specified, or the expressed duration is negative, the video is
15311supposed to be generated forever.
15312@end table
15313
15314Additionally, all options of the @ref{coreimage} video filter are accepted.
15315A complete filterchain can be used for further processing of the
15316generated input without CPU-HOST transfer. See @ref{coreimage} documentation
15317and examples for details.
15318
15319@subsection Examples
15320
15321@itemize
15322
15323@item
15324Use CIQRCodeGenerator to create a QR code for the FFmpeg homepage,
15325given as complete and escaped command-line for Apple's standard bash shell:
15326@example
15327ffmpeg -f lavfi -i coreimagesrc=s=100x100:filter=CIQRCodeGenerator@@inputMessage=https\\\\\://FFmpeg.org/@@inputCorrectionLevel=H -frames:v 1 QRCode.png
15328@end example
15329This example is equivalent to the QRCode example of @ref{coreimage} without the
15330need for a nullsrc video source.
15331@end itemize
15332
15333
15334@section mandelbrot
15335
15336Generate a Mandelbrot set fractal, and progressively zoom towards the
15337point specified with @var{start_x} and @var{start_y}.
15338
15339This source accepts the following options:
15340
15341@table @option
15342
15343@item end_pts
15344Set the terminal pts value. Default value is 400.
15345
15346@item end_scale
15347Set the terminal scale value.
15348Must be a floating point value. Default value is 0.3.
15349
15350@item inner
15351Set the inner coloring mode, that is the algorithm used to draw the
15352Mandelbrot fractal internal region.
15353
15354It shall assume one of the following values:
15355@table @option
15356@item black
15357Set black mode.
15358@item convergence
15359Show time until convergence.
15360@item mincol
15361Set color based on point closest to the origin of the iterations.
15362@item period
15363Set period mode.
15364@end table
15365
15366Default value is @var{mincol}.
15367
15368@item bailout
15369Set the bailout value. Default value is 10.0.
15370
15371@item maxiter
15372Set the maximum of iterations performed by the rendering
15373algorithm. Default value is 7189.
15374
15375@item outer
15376Set outer coloring mode.
15377It shall assume one of following values:
15378@table @option
15379@item iteration_count
15380Set iteration cound mode.
15381@item normalized_iteration_count
15382set normalized iteration count mode.
15383@end table
15384Default value is @var{normalized_iteration_count}.
15385
15386@item rate, r
15387Set frame rate, expressed as number of frames per second. Default
15388value is "25".
15389
15390@item size, s
15391Set frame size. For the syntax of this option, check the "Video
15392size" section in the ffmpeg-utils manual. Default value is "640x480".
15393
15394@item start_scale
15395Set the initial scale value. Default value is 3.0.
15396
15397@item start_x
15398Set the initial x position. Must be a floating point value between
15399-100 and 100. Default value is -0.743643887037158704752191506114774.
15400
15401@item start_y
15402Set the initial y position. Must be a floating point value between
15403-100 and 100. Default value is -0.131825904205311970493132056385139.
15404@end table
15405
15406@section mptestsrc
15407
15408Generate various test patterns, as generated by the MPlayer test filter.
15409
15410The size of the generated video is fixed, and is 256x256.
15411This source is useful in particular for testing encoding features.
15412
15413This source accepts the following options:
15414
15415@table @option
15416
15417@item rate, r
15418Specify the frame rate of the sourced video, as the number of frames
15419generated per second. It has to be a string in the format
15420@var{frame_rate_num}/@var{frame_rate_den}, an integer number, a floating point
15421number or a valid video frame rate abbreviation. The default value is
15422"25".
15423
15424@item duration, d
15425Set the duration of the sourced video. See
15426@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
15427for the accepted syntax.
15428
15429If not specified, or the expressed duration is negative, the video is
15430supposed to be generated forever.
15431
15432@item test, t
15433
15434Set the number or the name of the test to perform. Supported tests are:
15435@table @option
15436@item dc_luma
15437@item dc_chroma
15438@item freq_luma
15439@item freq_chroma
15440@item amp_luma
15441@item amp_chroma
15442@item cbp
15443@item mv
15444@item ring1
15445@item ring2
15446@item all
15447
15448@end table
15449
15450Default value is "all", which will cycle through the list of all tests.
15451@end table
15452
15453Some examples:
15454@example
15455mptestsrc=t=dc_luma
15456@end example
15457
15458will generate a "dc_luma" test pattern.
15459
15460@section frei0r_src
15461
15462Provide a frei0r source.
15463
15464To enable compilation of this filter you need to install the frei0r
15465header and configure FFmpeg with @code{--enable-frei0r}.
15466
15467This source accepts the following parameters:
15468
15469@table @option
15470
15471@item size
15472The size of the video to generate. For the syntax of this option, check the
15473@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15474
15475@item framerate
15476The framerate of the generated video. It may be a string of the form
15477@var{num}/@var{den} or a frame rate abbreviation.
15478
15479@item filter_name
15480The name to the frei0r source to load. For more information regarding frei0r and
15481how to set the parameters, read the @ref{frei0r} section in the video filters
15482documentation.
15483
15484@item filter_params
15485A '|'-separated list of parameters to pass to the frei0r source.
15486
15487@end table
15488
15489For example, to generate a frei0r partik0l source with size 200x200
15490and frame rate 10 which is overlaid on the overlay filter main input:
15491@example
15492frei0r_src=size=200x200:framerate=10:filter_name=partik0l:filter_params=1234 [overlay]; [in][overlay] overlay
15493@end example
15494
15495@section life
15496
15497Generate a life pattern.
15498
15499This source is based on a generalization of John Conway's life game.
15500
15501The sourced input represents a life grid, each pixel represents a cell
15502which can be in one of two possible states, alive or dead. Every cell
15503interacts with its eight neighbours, which are the cells that are
15504horizontally, vertically, or diagonally adjacent.
15505
15506At each interaction the grid evolves according to the adopted rule,
15507which specifies the number of neighbor alive cells which will make a
15508cell stay alive or born. The @option{rule} option allows one to specify
15509the rule to adopt.
15510
15511This source accepts the following options:
15512
15513@table @option
15514@item filename, f
15515Set the file from which to read the initial grid state. In the file,
15516each non-whitespace character is considered an alive cell, and newline
15517is used to delimit the end of each row.
15518
15519If this option is not specified, the initial grid is generated
15520randomly.
15521
15522@item rate, r
15523Set the video rate, that is the number of frames generated per second.
15524Default is 25.
15525
15526@item random_fill_ratio, ratio
15527Set the random fill ratio for the initial random grid. It is a
15528floating point number value ranging from 0 to 1, defaults to 1/PHI.
15529It is ignored when a file is specified.
15530
15531@item random_seed, seed
15532Set the seed for filling the initial random grid, must be an integer
15533included between 0 and UINT32_MAX. If not specified, or if explicitly
15534set to -1, the filter will try to use a good random seed on a best
15535effort basis.
15536
15537@item rule
15538Set the life rule.
15539
15540A rule can be specified with a code of the kind "S@var{NS}/B@var{NB}",
15541where @var{NS} and @var{NB} are sequences of numbers in the range 0-8,
15542@var{NS} specifies the number of alive neighbor cells which make a
15543live cell stay alive, and @var{NB} the number of alive neighbor cells
15544which make a dead cell to become alive (i.e. to "born").
15545"s" and "b" can be used in place of "S" and "B", respectively.
15546
15547Alternatively a rule can be specified by an 18-bits integer. The 9
15548high order bits are used to encode the next cell state if it is alive
15549for each number of neighbor alive cells, the low order bits specify
15550the rule for "borning" new cells. Higher order bits encode for an
15551higher number of neighbor cells.
15552For example the number 6153 = @code{(12<<9)+9} specifies a stay alive
15553rule of 12 and a born rule of 9, which corresponds to "S23/B03".
15554
15555Default value is "S23/B3", which is the original Conway's game of life
15556rule, and will keep a cell alive if it has 2 or 3 neighbor alive
15557cells, and will born a new cell if there are three alive cells around
15558a dead cell.
15559
15560@item size, s
15561Set the size of the output video. For the syntax of this option, check the
15562@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15563
15564If @option{filename} is specified, the size is set by default to the
15565same size of the input file. If @option{size} is set, it must contain
15566the size specified in the input file, and the initial grid defined in
15567that file is centered in the larger resulting area.
15568
15569If a filename is not specified, the size value defaults to "320x240"
15570(used for a randomly generated initial grid).
15571
15572@item stitch
15573If set to 1, stitch the left and right grid edges together, and the
15574top and bottom edges also. Defaults to 1.
15575
15576@item mold
15577Set cell mold speed. If set, a dead cell will go from @option{death_color} to
15578@option{mold_color} with a step of @option{mold}. @option{mold} can have a
15579value from 0 to 255.
15580
15581@item life_color
15582Set the color of living (or new born) cells.
15583
15584@item death_color
15585Set the color of dead cells. If @option{mold} is set, this is the first color
15586used to represent a dead cell.
15587
15588@item mold_color
15589Set mold color, for definitely dead and moldy cells.
15590
15591For the syntax of these 3 color options, check the "Color" section in the
15592ffmpeg-utils manual.
15593@end table
15594
15595@subsection Examples
15596
15597@itemize
15598@item
15599Read a grid from @file{pattern}, and center it on a grid of size
15600300x300 pixels:
15601@example
15602life=f=pattern:s=300x300
15603@end example
15604
15605@item
15606Generate a random grid of size 200x200, with a fill ratio of 2/3:
15607@example
15608life=ratio=2/3:s=200x200
15609@end example
15610
15611@item
15612Specify a custom rule for evolving a randomly generated grid:
15613@example
15614life=rule=S14/B34
15615@end example
15616
15617@item
15618Full example with slow death effect (mold) using @command{ffplay}:
15619@example
15620ffplay -f lavfi life=s=300x200:mold=10:r=60:ratio=0.1:death_color=#C83232:life_color=#00ff00,scale=1200:800:flags=16
15621@end example
15622@end itemize
15623
15624@anchor{allrgb}
15625@anchor{allyuv}
15626@anchor{color}
15627@anchor{haldclutsrc}
15628@anchor{nullsrc}
15629@anchor{rgbtestsrc}
15630@anchor{smptebars}
15631@anchor{smptehdbars}
15632@anchor{testsrc}
15633@anchor{testsrc2}
15634@anchor{yuvtestsrc}
15635@section allrgb, allyuv, color, haldclutsrc, nullsrc, rgbtestsrc, smptebars, smptehdbars, testsrc, testsrc2, yuvtestsrc
15636
15637The @code{allrgb} source returns frames of size 4096x4096 of all rgb colors.
15638
15639The @code{allyuv} source returns frames of size 4096x4096 of all yuv colors.
15640
15641The @code{color} source provides an uniformly colored input.
15642
15643The @code{haldclutsrc} source provides an identity Hald CLUT. See also
15644@ref{haldclut} filter.
15645
15646The @code{nullsrc} source returns unprocessed video frames. It is
15647mainly useful to be employed in analysis / debugging tools, or as the
15648source for filters which ignore the input data.
15649
15650The @code{rgbtestsrc} source generates an RGB test pattern useful for
15651detecting RGB vs BGR issues. You should see a red, green and blue
15652stripe from top to bottom.
15653
15654The @code{smptebars} source generates a color bars pattern, based on
15655the SMPTE Engineering Guideline EG 1-1990.
15656
15657The @code{smptehdbars} source generates a color bars pattern, based on
15658the SMPTE RP 219-2002.
15659
15660The @code{testsrc} source generates a test video pattern, showing a
15661color pattern, a scrolling gradient and a timestamp. This is mainly
15662intended for testing purposes.
15663
15664The @code{testsrc2} source is similar to testsrc, but supports more
15665pixel formats instead of just @code{rgb24}. This allows using it as an
15666input for other tests without requiring a format conversion.
15667
15668The @code{yuvtestsrc} source generates an YUV test pattern. You should
15669see a y, cb and cr stripe from top to bottom.
15670
15671The sources accept the following parameters:
15672
15673@table @option
15674
15675@item color, c
15676Specify the color of the source, only available in the @code{color}
15677source. For the syntax of this option, check the "Color" section in the
15678ffmpeg-utils manual.
15679
15680@item level
15681Specify the level of the Hald CLUT, only available in the @code{haldclutsrc}
15682source. A level of @code{N} generates a picture of @code{N*N*N} by @code{N*N*N}
15683pixels to be used as identity matrix for 3D lookup tables. Each component is
15684coded on a @code{1/(N*N)} scale.
15685
15686@item size, s
15687Specify the size of the sourced video. For the syntax of this option, check the
15688@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15689The default value is @code{320x240}.
15690
15691This option is not available with the @code{haldclutsrc} filter.
15692
15693@item rate, r
15694Specify the frame rate of the sourced video, as the number of frames
15695generated per second. It has to be a string in the format
15696@var{frame_rate_num}/@var{frame_rate_den}, an integer number, a floating point
15697number or a valid video frame rate abbreviation. The default value is
15698"25".
15699
15700@item sar
15701Set the sample aspect ratio of the sourced video.
15702
15703@item duration, d
15704Set the duration of the sourced video. See
15705@ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
15706for the accepted syntax.
15707
15708If not specified, or the expressed duration is negative, the video is
15709supposed to be generated forever.
15710
15711@item decimals, n
15712Set the number of decimals to show in the timestamp, only available in the
15713@code{testsrc} source.
15714
15715The displayed timestamp value will correspond to the original
15716timestamp value multiplied by the power of 10 of the specified
15717value. Default value is 0.
15718@end table
15719
15720For example the following:
15721@example
15722testsrc=duration=5.3:size=qcif:rate=10
15723@end example
15724
15725will generate a video with a duration of 5.3 seconds, with size
15726176x144 and a frame rate of 10 frames per second.
15727
15728The following graph description will generate a red source
15729with an opacity of 0.2, with size "qcif" and a frame rate of 10
15730frames per second.
15731@example
15732color=c=red@@0.2:s=qcif:r=10
15733@end example
15734
15735If the input content is to be ignored, @code{nullsrc} can be used. The
15736following command generates noise in the luminance plane by employing
15737the @code{geq} filter:
15738@example
15739nullsrc=s=256x256, geq=random(1)*255:128:128
15740@end example
15741
15742@subsection Commands
15743
15744The @code{color} source supports the following commands:
15745
15746@table @option
15747@item c, color
15748Set the color of the created image. Accepts the same syntax of the
15749corresponding @option{color} option.
15750@end table
15751
15752@c man end VIDEO SOURCES
15753
15754@chapter Video Sinks
15755@c man begin VIDEO SINKS
15756
15757Below is a description of the currently available video sinks.
15758
15759@section buffersink
15760
15761Buffer video frames, and make them available to the end of the filter
15762graph.
15763
15764This sink is mainly intended for programmatic use, in particular
15765through the interface defined in @file{libavfilter/buffersink.h}
15766or the options system.
15767
15768It accepts a pointer to an AVBufferSinkContext structure, which
15769defines the incoming buffers' formats, to be passed as the opaque
15770parameter to @code{avfilter_init_filter} for initialization.
15771
15772@section nullsink
15773
15774Null video sink: do absolutely nothing with the input video. It is
15775mainly useful as a template and for use in analysis / debugging
15776tools.
15777
15778@c man end VIDEO SINKS
15779
15780@chapter Multimedia Filters
15781@c man begin MULTIMEDIA FILTERS
15782
15783Below is a description of the currently available multimedia filters.
15784
15785@section abitscope
15786
15787Convert input audio to a video output, displaying the audio bit scope.
15788
15789The filter accepts the following options:
15790
15791@table @option
15792@item rate, r
15793Set frame rate, expressed as number of frames per second. Default
15794value is "25".
15795
15796@item size, s
15797Specify the video size for the output. For the syntax of this option, check the
15798@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15799Default value is @code{1024x256}.
15800
15801@item colors
15802Specify list of colors separated by space or by '|' which will be used to
15803draw channels. Unrecognized or missing colors will be replaced
15804by white color.
15805@end table
15806
15807@section ahistogram
15808
15809Convert input audio to a video output, displaying the volume histogram.
15810
15811The filter accepts the following options:
15812
15813@table @option
15814@item dmode
15815Specify how histogram is calculated.
15816
15817It accepts the following values:
15818@table @samp
15819@item single
15820Use single histogram for all channels.
15821@item separate
15822Use separate histogram for each channel.
15823@end table
15824Default is @code{single}.
15825
15826@item rate, r
15827Set frame rate, expressed as number of frames per second. Default
15828value is "25".
15829
15830@item size, s
15831Specify the video size for the output. For the syntax of this option, check the
15832@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15833Default value is @code{hd720}.
15834
15835@item scale
15836Set display scale.
15837
15838It accepts the following values:
15839@table @samp
15840@item log
15841logarithmic
15842@item sqrt
15843square root
15844@item cbrt
15845cubic root
15846@item lin
15847linear
15848@item rlog
15849reverse logarithmic
15850@end table
15851Default is @code{log}.
15852
15853@item ascale
15854Set amplitude scale.
15855
15856It accepts the following values:
15857@table @samp
15858@item log
15859logarithmic
15860@item lin
15861linear
15862@end table
15863Default is @code{log}.
15864
15865@item acount
15866Set how much frames to accumulate in histogram.
15867Defauls is 1. Setting this to -1 accumulates all frames.
15868
15869@item rheight
15870Set histogram ratio of window height.
15871
15872@item slide
15873Set sonogram sliding.
15874
15875It accepts the following values:
15876@table @samp
15877@item replace
15878replace old rows with new ones.
15879@item scroll
15880scroll from top to bottom.
15881@end table
15882Default is @code{replace}.
15883@end table
15884
15885@section aphasemeter
15886
15887Convert input audio to a video output, displaying the audio phase.
15888
15889The filter accepts the following options:
15890
15891@table @option
15892@item rate, r
15893Set the output frame rate. Default value is @code{25}.
15894
15895@item size, s
15896Set the video size for the output. For the syntax of this option, check the
15897@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15898Default value is @code{800x400}.
15899
15900@item rc
15901@item gc
15902@item bc
15903Specify the red, green, blue contrast. Default values are @code{2},
15904@code{7} and @code{1}.
15905Allowed range is @code{[0, 255]}.
15906
15907@item mpc
15908Set color which will be used for drawing median phase. If color is
15909@code{none} which is default, no median phase value will be drawn.
15910
15911@item video
15912Enable video output. Default is enabled.
15913@end table
15914
15915The filter also exports the frame metadata @code{lavfi.aphasemeter.phase} which
15916represents mean phase of current audio frame. Value is in range @code{[-1, 1]}.
15917The @code{-1} means left and right channels are completely out of phase and
15918@code{1} means channels are in phase.
15919
15920@section avectorscope
15921
15922Convert input audio to a video output, representing the audio vector
15923scope.
15924
15925The filter is used to measure the difference between channels of stereo
15926audio stream. A monoaural signal, consisting of identical left and right
15927signal, results in straight vertical line. Any stereo separation is visible
15928as a deviation from this line, creating a Lissajous figure.
15929If the straight (or deviation from it) but horizontal line appears this
15930indicates that the left and right channels are out of phase.
15931
15932The filter accepts the following options:
15933
15934@table @option
15935@item mode, m
15936Set the vectorscope mode.
15937
15938Available values are:
15939@table @samp
15940@item lissajous
15941Lissajous rotated by 45 degrees.
15942
15943@item lissajous_xy
15944Same as above but not rotated.
15945
15946@item polar
15947Shape resembling half of circle.
15948@end table
15949
15950Default value is @samp{lissajous}.
15951
15952@item size, s
15953Set the video size for the output. For the syntax of this option, check the
15954@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15955Default value is @code{400x400}.
15956
15957@item rate, r
15958Set the output frame rate. Default value is @code{25}.
15959
15960@item rc
15961@item gc
15962@item bc
15963@item ac
15964Specify the red, green, blue and alpha contrast. Default values are @code{40},
15965@code{160}, @code{80} and @code{255}.
15966Allowed range is @code{[0, 255]}.
15967
15968@item rf
15969@item gf
15970@item bf
15971@item af
15972Specify the red, green, blue and alpha fade. Default values are @code{15},
15973@code{10}, @code{5} and @code{5}.
15974Allowed range is @code{[0, 255]}.
15975
15976@item zoom
15977Set the zoom factor. Default value is @code{1}. Allowed range is @code{[1, 10]}.
15978
15979@item draw
15980Set the vectorscope drawing mode.
15981
15982Available values are:
15983@table @samp
15984@item dot
15985Draw dot for each sample.
15986
15987@item line
15988Draw line between previous and current sample.
15989@end table
15990
15991Default value is @samp{dot}.
15992
15993@item scale
15994Specify amplitude scale of audio samples.
15995
15996Available values are:
15997@table @samp
15998@item lin
15999Linear.
16000
16001@item sqrt
16002Square root.
16003
16004@item cbrt
16005Cubic root.
16006
16007@item log
16008Logarithmic.
16009@end table
16010
16011@end table
16012
16013@subsection Examples
16014
16015@itemize
16016@item
16017Complete example using @command{ffplay}:
16018@example
16019ffplay -f lavfi 'amovie=input.mp3, asplit [a][out1];
16020 [a] avectorscope=zoom=1.3:rc=2:gc=200:bc=10:rf=1:gf=8:bf=7 [out0]'
16021@end example
16022@end itemize
16023
16024@section bench, abench
16025
16026Benchmark part of a filtergraph.
16027
16028The filter accepts the following options:
16029
16030@table @option
16031@item action
16032Start or stop a timer.
16033
16034Available values are:
16035@table @samp
16036@item start
16037Get the current time, set it as frame metadata (using the key
16038@code{lavfi.bench.start_time}), and forward the frame to the next filter.
16039
16040@item stop
16041Get the current time and fetch the @code{lavfi.bench.start_time} metadata from
16042the input frame metadata to get the time difference. Time difference, average,
16043maximum and minimum time (respectively @code{t}, @code{avg}, @code{max} and
16044@code{min}) are then printed. The timestamps are expressed in seconds.
16045@end table
16046@end table
16047
16048@subsection Examples
16049
16050@itemize
16051@item
16052Benchmark @ref{selectivecolor} filter:
16053@example
16054bench=start,selectivecolor=reds=-.2 .12 -.49,bench=stop
16055@end example
16056@end itemize
16057
16058@section concat
16059
16060Concatenate audio and video streams, joining them together one after the
16061other.
16062
16063The filter works on segments of synchronized video and audio streams. All
16064segments must have the same number of streams of each type, and that will
16065also be the number of streams at output.
16066
16067The filter accepts the following options:
16068
16069@table @option
16070
16071@item n
16072Set the number of segments. Default is 2.
16073
16074@item v
16075Set the number of output video streams, that is also the number of video
16076streams in each segment. Default is 1.
16077
16078@item a
16079Set the number of output audio streams, that is also the number of audio
16080streams in each segment. Default is 0.
16081
16082@item unsafe
16083Activate unsafe mode: do not fail if segments have a different format.
16084
16085@end table
16086
16087The filter has @var{v}+@var{a} outputs: first @var{v} video outputs, then
16088@var{a} audio outputs.
16089
16090There are @var{n}x(@var{v}+@var{a}) inputs: first the inputs for the first
16091segment, in the same order as the outputs, then the inputs for the second
16092segment, etc.
16093
16094Related streams do not always have exactly the same duration, for various
16095reasons including codec frame size or sloppy authoring. For that reason,
16096related synchronized streams (e.g. a video and its audio track) should be
16097concatenated at once. The concat filter will use the duration of the longest
16098stream in each segment (except the last one), and if necessary pad shorter
16099audio streams with silence.
16100
16101For this filter to work correctly, all segments must start at timestamp 0.
16102
16103All corresponding streams must have the same parameters in all segments; the
16104filtering system will automatically select a common pixel format for video
16105streams, and a common sample format, sample rate and channel layout for
16106audio streams, but other settings, such as resolution, must be converted
16107explicitly by the user.
16108
16109Different frame rates are acceptable but will result in variable frame rate
16110at output; be sure to configure the output file to handle it.
16111
16112@subsection Examples
16113
16114@itemize
16115@item
16116Concatenate an opening, an episode and an ending, all in bilingual version
16117(video in stream 0, audio in streams 1 and 2):
16118@example
16119ffmpeg -i opening.mkv -i episode.mkv -i ending.mkv -filter_complex \
16120 '[0:0] [0:1] [0:2] [1:0] [1:1] [1:2] [2:0] [2:1] [2:2]
16121 concat=n=3:v=1:a=2 [v] [a1] [a2]' \
16122 -map '[v]' -map '[a1]' -map '[a2]' output.mkv
16123@end example
16124
16125@item
16126Concatenate two parts, handling audio and video separately, using the
16127(a)movie sources, and adjusting the resolution:
16128@example
16129movie=part1.mp4, scale=512:288 [v1] ; amovie=part1.mp4 [a1] ;
16130movie=part2.mp4, scale=512:288 [v2] ; amovie=part2.mp4 [a2] ;
16131[v1] [v2] concat [outv] ; [a1] [a2] concat=v=0:a=1 [outa]
16132@end example
16133Note that a desync will happen at the stitch if the audio and video streams
16134do not have exactly the same duration in the first file.
16135
16136@end itemize
16137
16138@section drawgraph, adrawgraph
16139
16140Draw a graph using input video or audio metadata.
16141
16142It accepts the following parameters:
16143
16144@table @option
16145@item m1
16146Set 1st frame metadata key from which metadata values will be used to draw a graph.
16147
16148@item fg1
16149Set 1st foreground color expression.
16150
16151@item m2
16152Set 2nd frame metadata key from which metadata values will be used to draw a graph.
16153
16154@item fg2
16155Set 2nd foreground color expression.
16156
16157@item m3
16158Set 3rd frame metadata key from which metadata values will be used to draw a graph.
16159
16160@item fg3
16161Set 3rd foreground color expression.
16162
16163@item m4
16164Set 4th frame metadata key from which metadata values will be used to draw a graph.
16165
16166@item fg4
16167Set 4th foreground color expression.
16168
16169@item min
16170Set minimal value of metadata value.
16171
16172@item max
16173Set maximal value of metadata value.
16174
16175@item bg
16176Set graph background color. Default is white.
16177
16178@item mode
16179Set graph mode.
16180
16181Available values for mode is:
16182@table @samp
16183@item bar
16184@item dot
16185@item line
16186@end table
16187
16188Default is @code{line}.
16189
16190@item slide
16191Set slide mode.
16192
16193Available values for slide is:
16194@table @samp
16195@item frame
16196Draw new frame when right border is reached.
16197
16198@item replace
16199Replace old columns with new ones.
16200
16201@item scroll
16202Scroll from right to left.
16203
16204@item rscroll
16205Scroll from left to right.
16206
16207@item picture
16208Draw single picture.
16209@end table
16210
16211Default is @code{frame}.
16212
16213@item size
16214Set size of graph video. For the syntax of this option, check the
16215@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
16216The default value is @code{900x256}.
16217
16218The foreground color expressions can use the following variables:
16219@table @option
16220@item MIN
16221Minimal value of metadata value.
16222
16223@item MAX
16224Maximal value of metadata value.
16225
16226@item VAL
16227Current metadata key value.
16228@end table
16229
16230The color is defined as 0xAABBGGRR.
16231@end table
16232
16233Example using metadata from @ref{signalstats} filter:
16234@example
16235signalstats,drawgraph=lavfi.signalstats.YAVG:min=0:max=255
16236@end example
16237
16238Example using metadata from @ref{ebur128} filter:
16239@example
16240ebur128=metadata=1,adrawgraph=lavfi.r128.M:min=-120:max=5
16241@end example
16242
16243@anchor{ebur128}
16244@section ebur128
16245
16246EBU R128 scanner filter. This filter takes an audio stream as input and outputs
16247it unchanged. By default, it logs a message at a frequency of 10Hz with the
16248Momentary loudness (identified by @code{M}), Short-term loudness (@code{S}),
16249Integrated loudness (@code{I}) and Loudness Range (@code{LRA}).
16250
16251The filter also has a video output (see the @var{video} option) with a real
16252time graph to observe the loudness evolution. The graphic contains the logged
16253message mentioned above, so it is not printed anymore when this option is set,
16254unless the verbose logging is set. The main graphing area contains the
16255short-term loudness (3 seconds of analysis), and the gauge on the right is for
16256the momentary loudness (400 milliseconds).
16257
16258More information about the Loudness Recommendation EBU R128 on
16259@url{http://tech.ebu.ch/loudness}.
16260
16261The filter accepts the following options:
16262
16263@table @option
16264
16265@item video
16266Activate the video output. The audio stream is passed unchanged whether this
16267option is set or no. The video stream will be the first output stream if
16268activated. Default is @code{0}.
16269
16270@item size
16271Set the video size. This option is for video only. For the syntax of this
16272option, check the
16273@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
16274Default and minimum resolution is @code{640x480}.
16275
16276@item meter
16277Set the EBU scale meter. Default is @code{9}. Common values are @code{9} and
16278@code{18}, respectively for EBU scale meter +9 and EBU scale meter +18. Any
16279other integer value between this range is allowed.
16280
16281@item metadata
16282Set metadata injection. If set to @code{1}, the audio input will be segmented
16283into 100ms output frames, each of them containing various loudness information
16284in metadata. All the metadata keys are prefixed with @code{lavfi.r128.}.
16285
16286Default is @code{0}.
16287
16288@item framelog
16289Force the frame logging level.
16290
16291Available values are:
16292@table @samp
16293@item info
16294information logging level
16295@item verbose
16296verbose logging level
16297@end table
16298
16299By default, the logging level is set to @var{info}. If the @option{video} or
16300the @option{metadata} options are set, it switches to @var{verbose}.
16301
16302@item peak
16303Set peak mode(s).
16304
16305Available modes can be cumulated (the option is a @code{flag} type). Possible
16306values are:
16307@table @samp
16308@item none
16309Disable any peak mode (default).
16310@item sample
16311Enable sample-peak mode.
16312
16313Simple peak mode looking for the higher sample value. It logs a message
16314for sample-peak (identified by @code{SPK}).
16315@item true
16316Enable true-peak mode.
16317
16318If enabled, the peak lookup is done on an over-sampled version of the input
16319stream for better peak accuracy. It logs a message for true-peak.
16320(identified by @code{TPK}) and true-peak per frame (identified by @code{FTPK}).
16321This mode requires a build with @code{libswresample}.
16322@end table
16323
16324@item dualmono
16325Treat mono input files as "dual mono". If a mono file is intended for playback
16326on a stereo system, its EBU R128 measurement will be perceptually incorrect.
16327If set to @code{true}, this option will compensate for this effect.
16328Multi-channel input files are not affected by this option.
16329
16330@item panlaw
16331Set a specific pan law to be used for the measurement of dual mono files.
16332This parameter is optional, and has a default value of -3.01dB.
16333@end table
16334
16335@subsection Examples
16336
16337@itemize
16338@item
16339Real-time graph using @command{ffplay}, with a EBU scale meter +18:
16340@example
16341ffplay -f lavfi -i "amovie=input.mp3,ebur128=video=1:meter=18 [out0][out1]"
16342@end example
16343
16344@item
16345Run an analysis with @command{ffmpeg}:
16346@example
16347ffmpeg -nostats -i input.mp3 -filter_complex ebur128 -f null -
16348@end example
16349@end itemize
16350
16351@section interleave, ainterleave
16352
16353Temporally interleave frames from several inputs.
16354
16355@code{interleave} works with video inputs, @code{ainterleave} with audio.
16356
16357These filters read frames from several inputs and send the oldest
16358queued frame to the output.
16359
16360Input streams must have well defined, monotonically increasing frame
16361timestamp values.
16362
16363In order to submit one frame to output, these filters need to enqueue
16364at least one frame for each input, so they cannot work in case one
16365input is not yet terminated and will not receive incoming frames.
16366
16367For example consider the case when one input is a @code{select} filter
16368which always drops input frames. The @code{interleave} filter will keep
16369reading from that input, but it will never be able to send new frames
16370to output until the input sends an end-of-stream signal.
16371
16372Also, depending on inputs synchronization, the filters will drop
16373frames in case one input receives more frames than the other ones, and
16374the queue is already filled.
16375
16376These filters accept the following options:
16377
16378@table @option
16379@item nb_inputs, n
16380Set the number of different inputs, it is 2 by default.
16381@end table
16382
16383@subsection Examples
16384
16385@itemize
16386@item
16387Interleave frames belonging to different streams using @command{ffmpeg}:
16388@example
16389ffmpeg -i bambi.avi -i pr0n.mkv -filter_complex "[0:v][1:v] interleave" out.avi
16390@end example
16391
16392@item
16393Add flickering blur effect:
16394@example
16395select='if(gt(random(0), 0.2), 1, 2)':n=2 [tmp], boxblur=2:2, [tmp] interleave
16396@end example
16397@end itemize
16398
16399@section metadata, ametadata
16400
16401Manipulate frame metadata.
16402
16403This filter accepts the following options:
16404
16405@table @option
16406@item mode
16407Set mode of operation of the filter.
16408
16409Can be one of the following:
16410
16411@table @samp
16412@item select
16413If both @code{value} and @code{key} is set, select frames
16414which have such metadata. If only @code{key} is set, select
16415every frame that has such key in metadata.
16416
16417@item add
16418Add new metadata @code{key} and @code{value}. If key is already available
16419do nothing.
16420
16421@item modify
16422Modify value of already present key.
16423
16424@item delete
16425If @code{value} is set, delete only keys that have such value.
16426Otherwise, delete key. If @code{key} is not set, delete all metadata values in
16427the frame.
16428
16429@item print
16430Print key and its value if metadata was found. If @code{key} is not set print all
16431metadata values available in frame.
16432@end table
16433
16434@item key
16435Set key used with all modes. Must be set for all modes except @code{print} and @code{delete}.
16436
16437@item value
16438Set metadata value which will be used. This option is mandatory for
16439@code{modify} and @code{add} mode.
16440
16441@item function
16442Which function to use when comparing metadata value and @code{value}.
16443
16444Can be one of following:
16445
16446@table @samp
16447@item same_str
16448Values are interpreted as strings, returns true if metadata value is same as @code{value}.
16449
16450@item starts_with
16451Values are interpreted as strings, returns true if metadata value starts with
16452the @code{value} option string.
16453
16454@item less
16455Values are interpreted as floats, returns true if metadata value is less than @code{value}.
16456
16457@item equal
16458Values are interpreted as floats, returns true if @code{value} is equal with metadata value.
16459
16460@item greater
16461Values are interpreted as floats, returns true if metadata value is greater than @code{value}.
16462
16463@item expr
16464Values are interpreted as floats, returns true if expression from option @code{expr}
16465evaluates to true.
16466@end table
16467
16468@item expr
16469Set expression which is used when @code{function} is set to @code{expr}.
16470The expression is evaluated through the eval API and can contain the following
16471constants:
16472
16473@table @option
16474@item VALUE1
16475Float representation of @code{value} from metadata key.
16476
16477@item VALUE2
16478Float representation of @code{value} as supplied by user in @code{value} option.
16479@end table
16480
16481@item file
16482If specified in @code{print} mode, output is written to the named file. Instead of
16483plain filename any writable url can be specified. Filename ``-'' is a shorthand
16484for standard output. If @code{file} option is not set, output is written to the log
16485with AV_LOG_INFO loglevel.
16486
16487@end table
16488
16489@subsection Examples
16490
16491@itemize
16492@item
16493Print all metadata values for frames with key @code{lavfi.singnalstats.YDIF} with values
16494between 0 and 1.
16495@example
16496signalstats,metadata=print:key=lavfi.signalstats.YDIF:value=0:function=expr:expr='between(VALUE1,0,1)'
16497@end example
16498@item
16499Print silencedetect output to file @file{metadata.txt}.
16500@example
16501silencedetect,ametadata=mode=print:file=metadata.txt
16502@end example
16503@item
16504Direct all metadata to a pipe with file descriptor 4.
16505@example
16506metadata=mode=print:file='pipe\:4'
16507@end example
16508@end itemize
16509
16510@section perms, aperms
16511
16512Set read/write permissions for the output frames.
16513
16514These filters are mainly aimed at developers to test direct path in the
16515following filter in the filtergraph.
16516
16517The filters accept the following options:
16518
16519@table @option
16520@item mode
16521Select the permissions mode.
16522
16523It accepts the following values:
16524@table @samp
16525@item none
16526Do nothing. This is the default.
16527@item ro
16528Set all the output frames read-only.
16529@item rw
16530Set all the output frames directly writable.
16531@item toggle
16532Make the frame read-only if writable, and writable if read-only.
16533@item random
16534Set each output frame read-only or writable randomly.
16535@end table
16536
16537@item seed
16538Set the seed for the @var{random} mode, must be an integer included between
16539@code{0} and @code{UINT32_MAX}. If not specified, or if explicitly set to
16540@code{-1}, the filter will try to use a good random seed on a best effort
16541basis.
16542@end table
16543
16544Note: in case of auto-inserted filter between the permission filter and the
16545following one, the permission might not be received as expected in that
16546following filter. Inserting a @ref{format} or @ref{aformat} filter before the
16547perms/aperms filter can avoid this problem.
16548
16549@section realtime, arealtime
16550
16551Slow down filtering to match real time approximatively.
16552
16553These filters will pause the filtering for a variable amount of time to
16554match the output rate with the input timestamps.
16555They are similar to the @option{re} option to @code{ffmpeg}.
16556
16557They accept the following options:
16558
16559@table @option
16560@item limit
16561Time limit for the pauses. Any pause longer than that will be considered
16562a timestamp discontinuity and reset the timer. Default is 2 seconds.
16563@end table
16564
16565@anchor{select}
16566@section select, aselect
16567
16568Select frames to pass in output.
16569
16570This filter accepts the following options:
16571
16572@table @option
16573
16574@item expr, e
16575Set expression, which is evaluated for each input frame.
16576
16577If the expression is evaluated to zero, the frame is discarded.
16578
16579If the evaluation result is negative or NaN, the frame is sent to the
16580first output; otherwise it is sent to the output with index
16581@code{ceil(val)-1}, assuming that the input index starts from 0.
16582
16583For example a value of @code{1.2} corresponds to the output with index
16584@code{ceil(1.2)-1 = 2-1 = 1}, that is the second output.
16585
16586@item outputs, n
16587Set the number of outputs. The output to which to send the selected
16588frame is based on the result of the evaluation. Default value is 1.
16589@end table
16590
16591The expression can contain the following constants:
16592
16593@table @option
16594@item n
16595The (sequential) number of the filtered frame, starting from 0.
16596
16597@item selected_n
16598The (sequential) number of the selected frame, starting from 0.
16599
16600@item prev_selected_n
16601The sequential number of the last selected frame. It's NAN if undefined.
16602
16603@item TB
16604The timebase of the input timestamps.
16605
16606@item pts
16607The PTS (Presentation TimeStamp) of the filtered video frame,
16608expressed in @var{TB} units. It's NAN if undefined.
16609
16610@item t
16611The PTS of the filtered video frame,
16612expressed in seconds. It's NAN if undefined.
16613
16614@item prev_pts
16615The PTS of the previously filtered video frame. It's NAN if undefined.
16616
16617@item prev_selected_pts
16618The PTS of the last previously filtered video frame. It's NAN if undefined.
16619
16620@item prev_selected_t
16621The PTS of the last previously selected video frame. It's NAN if undefined.
16622
16623@item start_pts
16624The PTS of the first video frame in the video. It's NAN if undefined.
16625
16626@item start_t
16627The time of the first video frame in the video. It's NAN if undefined.
16628
16629@item pict_type @emph{(video only)}
16630The type of the filtered frame. It can assume one of the following
16631values:
16632@table @option
16633@item I
16634@item P
16635@item B
16636@item S
16637@item SI
16638@item SP
16639@item BI
16640@end table
16641
16642@item interlace_type @emph{(video only)}
16643The frame interlace type. It can assume one of the following values:
16644@table @option
16645@item PROGRESSIVE
16646The frame is progressive (not interlaced).
16647@item TOPFIRST
16648The frame is top-field-first.
16649@item BOTTOMFIRST
16650The frame is bottom-field-first.
16651@end table
16652
16653@item consumed_sample_n @emph{(audio only)}
16654the number of selected samples before the current frame
16655
16656@item samples_n @emph{(audio only)}
16657the number of samples in the current frame
16658
16659@item sample_rate @emph{(audio only)}
16660the input sample rate
16661
16662@item key
16663This is 1 if the filtered frame is a key-frame, 0 otherwise.
16664
16665@item pos
16666the position in the file of the filtered frame, -1 if the information
16667is not available (e.g. for synthetic video)
16668
16669@item scene @emph{(video only)}
16670value between 0 and 1 to indicate a new scene; a low value reflects a low
16671probability for the current frame to introduce a new scene, while a higher
16672value means the current frame is more likely to be one (see the example below)
16673
16674@item concatdec_select
16675The concat demuxer can select only part of a concat input file by setting an
16676inpoint and an outpoint, but the output packets may not be entirely contained
16677in the selected interval. By using this variable, it is possible to skip frames
16678generated by the concat demuxer which are not exactly contained in the selected
16679interval.
16680
16681This works by comparing the frame pts against the @var{lavf.concat.start_time}
16682and the @var{lavf.concat.duration} packet metadata values which are also
16683present in the decoded frames.
16684
16685The @var{concatdec_select} variable is -1 if the frame pts is at least
16686start_time and either the duration metadata is missing or the frame pts is less
16687than start_time + duration, 0 otherwise, and NaN if the start_time metadata is
16688missing.
16689
16690That basically means that an input frame is selected if its pts is within the
16691interval set by the concat demuxer.
16692
16693@end table
16694
16695The default value of the select expression is "1".
16696
16697@subsection Examples
16698
16699@itemize
16700@item
16701Select all frames in input:
16702@example
16703select
16704@end example
16705
16706The example above is the same as:
16707@example
16708select=1
16709@end example
16710
16711@item
16712Skip all frames:
16713@example
16714select=0
16715@end example
16716
16717@item
16718Select only I-frames:
16719@example
16720select='eq(pict_type\,I)'
16721@end example
16722
16723@item
16724Select one frame every 100:
16725@example
16726select='not(mod(n\,100))'
16727@end example
16728
16729@item
16730Select only frames contained in the 10-20 time interval:
16731@example
16732select=between(t\,10\,20)
16733@end example
16734
16735@item
16736Select only I-frames contained in the 10-20 time interval:
16737@example
16738select=between(t\,10\,20)*eq(pict_type\,I)
16739@end example
16740
16741@item
16742Select frames with a minimum distance of 10 seconds:
16743@example
16744select='isnan(prev_selected_t)+gte(t-prev_selected_t\,10)'
16745@end example
16746
16747@item
16748Use aselect to select only audio frames with samples number > 100:
16749@example
16750aselect='gt(samples_n\,100)'
16751@end example
16752
16753@item
16754Create a mosaic of the first scenes:
16755@example
16756ffmpeg -i video.avi -vf select='gt(scene\,0.4)',scale=160:120,tile -frames:v 1 preview.png
16757@end example
16758
16759Comparing @var{scene} against a value between 0.3 and 0.5 is generally a sane
16760choice.
16761
16762@item
16763Send even and odd frames to separate outputs, and compose them:
16764@example
16765select=n=2:e='mod(n, 2)+1' [odd][even]; [odd] pad=h=2*ih [tmp]; [tmp][even] overlay=y=h
16766@end example
16767
16768@item
16769Select useful frames from an ffconcat file which is using inpoints and
16770outpoints but where the source files are not intra frame only.
16771@example
16772ffmpeg -copyts -vsync 0 -segment_time_metadata 1 -i input.ffconcat -vf select=concatdec_select -af aselect=concatdec_select output.avi
16773@end example
16774@end itemize
16775
16776@section sendcmd, asendcmd
16777
16778Send commands to filters in the filtergraph.
16779
16780These filters read commands to be sent to other filters in the
16781filtergraph.
16782
16783@code{sendcmd} must be inserted between two video filters,
16784@code{asendcmd} must be inserted between two audio filters, but apart
16785from that they act the same way.
16786
16787The specification of commands can be provided in the filter arguments
16788with the @var{commands} option, or in a file specified by the
16789@var{filename} option.
16790
16791These filters accept the following options:
16792@table @option
16793@item commands, c
16794Set the commands to be read and sent to the other filters.
16795@item filename, f
16796Set the filename of the commands to be read and sent to the other
16797filters.
16798@end table
16799
16800@subsection Commands syntax
16801
16802A commands description consists of a sequence of interval
16803specifications, comprising a list of commands to be executed when a
16804particular event related to that interval occurs. The occurring event
16805is typically the current frame time entering or leaving a given time
16806interval.
16807
16808An interval is specified by the following syntax:
16809@example
16810@var{START}[-@var{END}] @var{COMMANDS};
16811@end example
16812
16813The time interval is specified by the @var{START} and @var{END} times.
16814@var{END} is optional and defaults to the maximum time.
16815
16816The current frame time is considered within the specified interval if
16817it is included in the interval [@var{START}, @var{END}), that is when
16818the time is greater or equal to @var{START} and is lesser than
16819@var{END}.
16820
16821@var{COMMANDS} consists of a sequence of one or more command
16822specifications, separated by ",", relating to that interval. The
16823syntax of a command specification is given by:
16824@example
16825[@var{FLAGS}] @var{TARGET} @var{COMMAND} @var{ARG}
16826@end example
16827
16828@var{FLAGS} is optional and specifies the type of events relating to
16829the time interval which enable sending the specified command, and must
16830be a non-null sequence of identifier flags separated by "+" or "|" and
16831enclosed between "[" and "]".
16832
16833The following flags are recognized:
16834@table @option
16835@item enter
16836The command is sent when the current frame timestamp enters the
16837specified interval. In other words, the command is sent when the
16838previous frame timestamp was not in the given interval, and the
16839current is.
16840
16841@item leave
16842The command is sent when the current frame timestamp leaves the
16843specified interval. In other words, the command is sent when the
16844previous frame timestamp was in the given interval, and the
16845current is not.
16846@end table
16847
16848If @var{FLAGS} is not specified, a default value of @code{[enter]} is
16849assumed.
16850
16851@var{TARGET} specifies the target of the command, usually the name of
16852the filter class or a specific filter instance name.
16853
16854@var{COMMAND} specifies the name of the command for the target filter.
16855
16856@var{ARG} is optional and specifies the optional list of argument for
16857the given @var{COMMAND}.
16858
16859Between one interval specification and another, whitespaces, or
16860sequences of characters starting with @code{#} until the end of line,
16861are ignored and can be used to annotate comments.
16862
16863A simplified BNF description of the commands specification syntax
16864follows:
16865@example
16866@var{COMMAND_FLAG} ::= "enter" | "leave"
16867@var{COMMAND_FLAGS} ::= @var{COMMAND_FLAG} [(+|"|")@var{COMMAND_FLAG}]
16868@var{COMMAND} ::= ["[" @var{COMMAND_FLAGS} "]"] @var{TARGET} @var{COMMAND} [@var{ARG}]
16869@var{COMMANDS} ::= @var{COMMAND} [,@var{COMMANDS}]
16870@var{INTERVAL} ::= @var{START}[-@var{END}] @var{COMMANDS}
16871@var{INTERVALS} ::= @var{INTERVAL}[;@var{INTERVALS}]
16872@end example
16873
16874@subsection Examples
16875
16876@itemize
16877@item
16878Specify audio tempo change at second 4:
16879@example
16880asendcmd=c='4.0 atempo tempo 1.5',atempo
16881@end example
16882
16883@item
16884Specify a list of drawtext and hue commands in a file.
16885@example
16886# show text in the interval 5-10
168875.0-10.0 [enter] drawtext reinit 'fontfile=FreeSerif.ttf:text=hello world',
16888 [leave] drawtext reinit 'fontfile=FreeSerif.ttf:text=';
16889
16890# desaturate the image in the interval 15-20
1689115.0-20.0 [enter] hue s 0,
16892 [enter] drawtext reinit 'fontfile=FreeSerif.ttf:text=nocolor',
16893 [leave] hue s 1,
16894 [leave] drawtext reinit 'fontfile=FreeSerif.ttf:text=color';
16895
16896# apply an exponential saturation fade-out effect, starting from time 25
1689725 [enter] hue s exp(25-t)
16898@end example
16899
16900A filtergraph allowing to read and process the above command list
16901stored in a file @file{test.cmd}, can be specified with:
16902@example
16903sendcmd=f=test.cmd,drawtext=fontfile=FreeSerif.ttf:text='',hue
16904@end example
16905@end itemize
16906
16907@anchor{setpts}
16908@section setpts, asetpts
16909
16910Change the PTS (presentation timestamp) of the input frames.
16911
16912@code{setpts} works on video frames, @code{asetpts} on audio frames.
16913
16914This filter accepts the following options:
16915
16916@table @option
16917
16918@item expr
16919The expression which is evaluated for each frame to construct its timestamp.
16920
16921@end table
16922
16923The expression is evaluated through the eval API and can contain the following
16924constants:
16925
16926@table @option
16927@item FRAME_RATE
16928frame rate, only defined for constant frame-rate video
16929
16930@item PTS
16931The presentation timestamp in input
16932
16933@item N
16934The count of the input frame for video or the number of consumed samples,
16935not including the current frame for audio, starting from 0.
16936
16937@item NB_CONSUMED_SAMPLES
16938The number of consumed samples, not including the current frame (only
16939audio)
16940
16941@item NB_SAMPLES, S
16942The number of samples in the current frame (only audio)
16943
16944@item SAMPLE_RATE, SR
16945The audio sample rate.
16946
16947@item STARTPTS
16948The PTS of the first frame.
16949
16950@item STARTT
16951the time in seconds of the first frame
16952
16953@item INTERLACED
16954State whether the current frame is interlaced.
16955
16956@item T
16957the time in seconds of the current frame
16958
16959@item POS
16960original position in the file of the frame, or undefined if undefined
16961for the current frame
16962
16963@item PREV_INPTS
16964The previous input PTS.
16965
16966@item PREV_INT
16967previous input time in seconds
16968
16969@item PREV_OUTPTS
16970The previous output PTS.
16971
16972@item PREV_OUTT
16973previous output time in seconds
16974
16975@item RTCTIME
16976The wallclock (RTC) time in microseconds. This is deprecated, use time(0)
16977instead.
16978
16979@item RTCSTART
16980The wallclock (RTC) time at the start of the movie in microseconds.
16981
16982@item TB
16983The timebase of the input timestamps.
16984
16985@end table
16986
16987@subsection Examples
16988
16989@itemize
16990@item
16991Start counting PTS from zero
16992@example
16993setpts=PTS-STARTPTS
16994@end example
16995
16996@item
16997Apply fast motion effect:
16998@example
16999setpts=0.5*PTS
17000@end example
17001
17002@item
17003Apply slow motion effect:
17004@example
17005setpts=2.0*PTS
17006@end example
17007
17008@item
17009Set fixed rate of 25 frames per second:
17010@example
17011setpts=N/(25*TB)
17012@end example
17013
17014@item
17015Set fixed rate 25 fps with some jitter:
17016@example
17017setpts='1/(25*TB) * (N + 0.05 * sin(N*2*PI/25))'
17018@end example
17019
17020@item
17021Apply an offset of 10 seconds to the input PTS:
17022@example
17023setpts=PTS+10/TB
17024@end example
17025
17026@item
17027Generate timestamps from a "live source" and rebase onto the current timebase:
17028@example
17029setpts='(RTCTIME - RTCSTART) / (TB * 1000000)'
17030@end example
17031
17032@item
17033Generate timestamps by counting samples:
17034@example
17035asetpts=N/SR/TB
17036@end example
17037
17038@end itemize
17039
17040@section settb, asettb
17041
17042Set the timebase to use for the output frames timestamps.
17043It is mainly useful for testing timebase configuration.
17044
17045It accepts the following parameters:
17046
17047@table @option
17048
17049@item expr, tb
17050The expression which is evaluated into the output timebase.
17051
17052@end table
17053
17054The value for @option{tb} is an arithmetic expression representing a
17055rational. The expression can contain the constants "AVTB" (the default
17056timebase), "intb" (the input timebase) and "sr" (the sample rate,
17057audio only). Default value is "intb".
17058
17059@subsection Examples
17060
17061@itemize
17062@item
17063Set the timebase to 1/25:
17064@example
17065settb=expr=1/25
17066@end example
17067
17068@item
17069Set the timebase to 1/10:
17070@example
17071settb=expr=0.1
17072@end example
17073
17074@item
17075Set the timebase to 1001/1000:
17076@example
17077settb=1+0.001
17078@end example
17079
17080@item
17081Set the timebase to 2*intb:
17082@example
17083settb=2*intb
17084@end example
17085
17086@item
17087Set the default timebase value:
17088@example
17089settb=AVTB
17090@end example
17091@end itemize
17092
17093@section showcqt
17094Convert input audio to a video output representing frequency spectrum
17095logarithmically using Brown-Puckette constant Q transform algorithm with
17096direct frequency domain coefficient calculation (but the transform itself
17097is not really constant Q, instead the Q factor is actually variable/clamped),
17098with musical tone scale, from E0 to D#10.
17099
17100The filter accepts the following options:
17101
17102@table @option
17103@item size, s
17104Specify the video size for the output. It must be even. For the syntax of this option,
17105check the @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
17106Default value is @code{1920x1080}.
17107
17108@item fps, rate, r
17109Set the output frame rate. Default value is @code{25}.
17110
17111@item bar_h
17112Set the bargraph height. It must be even. Default value is @code{-1} which
17113computes the bargraph height automatically.
17114
17115@item axis_h
17116Set the axis height. It must be even. Default value is @code{-1} which computes
17117the axis height automatically.
17118
17119@item sono_h
17120Set the sonogram height. It must be even. Default value is @code{-1} which
17121computes the sonogram height automatically.
17122
17123@item fullhd
17124Set the fullhd resolution. This option is deprecated, use @var{size}, @var{s}
17125instead. Default value is @code{1}.
17126
17127@item sono_v, volume
17128Specify the sonogram volume expression. It can contain variables:
17129@table @option
17130@item bar_v
17131the @var{bar_v} evaluated expression
17132@item frequency, freq, f
17133the frequency where it is evaluated
17134@item timeclamp, tc
17135the value of @var{timeclamp} option
17136@end table
17137and functions:
17138@table @option
17139@item a_weighting(f)
17140A-weighting of equal loudness
17141@item b_weighting(f)
17142B-weighting of equal loudness
17143@item c_weighting(f)
17144C-weighting of equal loudness.
17145@end table
17146Default value is @code{16}.
17147
17148@item bar_v, volume2
17149Specify the bargraph volume expression. It can contain variables:
17150@table @option
17151@item sono_v
17152the @var{sono_v} evaluated expression
17153@item frequency, freq, f
17154the frequency where it is evaluated
17155@item timeclamp, tc
17156the value of @var{timeclamp} option
17157@end table
17158and functions:
17159@table @option
17160@item a_weighting(f)
17161A-weighting of equal loudness
17162@item b_weighting(f)
17163B-weighting of equal loudness
17164@item c_weighting(f)
17165C-weighting of equal loudness.
17166@end table
17167Default value is @code{sono_v}.
17168
17169@item sono_g, gamma
17170Specify the sonogram gamma. Lower gamma makes the spectrum more contrast,
17171higher gamma makes the spectrum having more range. Default value is @code{3}.
17172Acceptable range is @code{[1, 7]}.
17173
17174@item bar_g, gamma2
17175Specify the bargraph gamma. Default value is @code{1}. Acceptable range is
17176@code{[1, 7]}.
17177
17178@item bar_t
17179Specify the bargraph transparency level. Lower value makes the bargraph sharper.
17180Default value is @code{1}. Acceptable range is @code{[0, 1]}.
17181
17182@item timeclamp, tc
17183Specify the transform timeclamp. At low frequency, there is trade-off between
17184accuracy in time domain and frequency domain. If timeclamp is lower,
17185event in time domain is represented more accurately (such as fast bass drum),
17186otherwise event in frequency domain is represented more accurately
17187(such as bass guitar). Acceptable range is @code{[0.002, 1]}. Default value is @code{0.17}.
17188
17189@item basefreq
17190Specify the transform base frequency. Default value is @code{20.01523126408007475},
17191which is frequency 50 cents below E0. Acceptable range is @code{[10, 100000]}.
17192
17193@item endfreq
17194Specify the transform end frequency. Default value is @code{20495.59681441799654},
17195which is frequency 50 cents above D#10. Acceptable range is @code{[10, 100000]}.
17196
17197@item coeffclamp
17198This option is deprecated and ignored.
17199
17200@item tlength
17201Specify the transform length in time domain. Use this option to control accuracy
17202trade-off between time domain and frequency domain at every frequency sample.
17203It can contain variables:
17204@table @option
17205@item frequency, freq, f
17206the frequency where it is evaluated
17207@item timeclamp, tc
17208the value of @var{timeclamp} option.
17209@end table
17210Default value is @code{384*tc/(384+tc*f)}.
17211
17212@item count
17213Specify the transform count for every video frame. Default value is @code{6}.
17214Acceptable range is @code{[1, 30]}.
17215
17216@item fcount
17217Specify the transform count for every single pixel. Default value is @code{0},
17218which makes it computed automatically. Acceptable range is @code{[0, 10]}.
17219
17220@item fontfile
17221Specify font file for use with freetype to draw the axis. If not specified,
17222use embedded font. Note that drawing with font file or embedded font is not
17223implemented with custom @var{basefreq} and @var{endfreq}, use @var{axisfile}
17224option instead.
17225
17226@item font
17227Specify fontconfig pattern. This has lower priority than @var{fontfile}.
17228The : in the pattern may be replaced by | to avoid unnecessary escaping.
17229
17230@item fontcolor
17231Specify font color expression. This is arithmetic expression that should return
17232integer value 0xRRGGBB. It can contain variables:
17233@table @option
17234@item frequency, freq, f
17235the frequency where it is evaluated
17236@item timeclamp, tc
17237the value of @var{timeclamp} option
17238@end table
17239and functions:
17240@table @option
17241@item midi(f)
17242midi number of frequency f, some midi numbers: E0(16), C1(24), C2(36), A4(69)
17243@item r(x), g(x), b(x)
17244red, green, and blue value of intensity x.
17245@end table
17246Default value is @code{st(0, (midi(f)-59.5)/12);
17247st(1, if(between(ld(0),0,1), 0.5-0.5*cos(2*PI*ld(0)), 0));
17248r(1-ld(1)) + b(ld(1))}.
17249
17250@item axisfile
17251Specify image file to draw the axis. This option override @var{fontfile} and
17252@var{fontcolor} option.
17253
17254@item axis, text
17255Enable/disable drawing text to the axis. If it is set to @code{0}, drawing to
17256the axis is disabled, ignoring @var{fontfile} and @var{axisfile} option.
17257Default value is @code{1}.
17258
17259@item csp
17260Set colorspace. The accepted values are:
17261@table @samp
17262@item unspecified
17263Unspecified (default)
17264
17265@item bt709
17266BT.709
17267
17268@item fcc
17269FCC
17270
17271@item bt470bg
17272BT.470BG or BT.601-6 625
17273
17274@item smpte170m
17275SMPTE-170M or BT.601-6 525
17276
17277@item smpte240m
17278SMPTE-240M
17279
17280@item bt2020ncl
17281BT.2020 with non-constant luminance
17282
17283@end table
17284
17285@item cscheme
17286Set spectrogram color scheme. This is list of floating point values with format
17287@code{left_r|left_g|left_b|right_r|right_g|right_b}.
17288The default is @code{1|0.5|0|0|0.5|1}.
17289
17290@end table
17291
17292@subsection Examples
17293
17294@itemize
17295@item
17296Playing audio while showing the spectrum:
17297@example
17298ffplay -f lavfi 'amovie=a.mp3, asplit [a][out1]; [a] showcqt [out0]'
17299@end example
17300
17301@item
17302Same as above, but with frame rate 30 fps:
17303@example
17304ffplay -f lavfi 'amovie=a.mp3, asplit [a][out1]; [a] showcqt=fps=30:count=5 [out0]'
17305@end example
17306
17307@item
17308Playing at 1280x720:
17309@example
17310ffplay -f lavfi 'amovie=a.mp3, asplit [a][out1]; [a] showcqt=s=1280x720:count=4 [out0]'
17311@end example
17312
17313@item
17314Disable sonogram display:
17315@example
17316sono_h=0
17317@end example
17318
17319@item
17320A1 and its harmonics: A1, A2, (near)E3, A3:
17321@example
17322ffplay -f lavfi 'aevalsrc=0.1*sin(2*PI*55*t)+0.1*sin(4*PI*55*t)+0.1*sin(6*PI*55*t)+0.1*sin(8*PI*55*t),
17323 asplit[a][out1]; [a] showcqt [out0]'
17324@end example
17325
17326@item
17327Same as above, but with more accuracy in frequency domain:
17328@example
17329ffplay -f lavfi 'aevalsrc=0.1*sin(2*PI*55*t)+0.1*sin(4*PI*55*t)+0.1*sin(6*PI*55*t)+0.1*sin(8*PI*55*t),
17330 asplit[a][out1]; [a] showcqt=timeclamp=0.5 [out0]'
17331@end example
17332
17333@item
17334Custom volume:
17335@example
17336bar_v=10:sono_v=bar_v*a_weighting(f)
17337@end example
17338
17339@item
17340Custom gamma, now spectrum is linear to the amplitude.
17341@example
17342bar_g=2:sono_g=2
17343@end example
17344
17345@item
17346Custom tlength equation:
17347@example
17348tc=0.33:tlength='st(0,0.17); 384*tc / (384 / ld(0) + tc*f /(1-ld(0))) + 384*tc / (tc*f / ld(0) + 384 /(1-ld(0)))'
17349@end example
17350
17351@item
17352Custom fontcolor and fontfile, C-note is colored green, others are colored blue:
17353@example
17354fontcolor='if(mod(floor(midi(f)+0.5),12), 0x0000FF, g(1))':fontfile=myfont.ttf
17355@end example
17356
17357@item
17358Custom font using fontconfig:
17359@example
17360font='Courier New,Monospace,mono|bold'
17361@end example
17362
17363@item
17364Custom frequency range with custom axis using image file:
17365@example
17366axisfile=myaxis.png:basefreq=40:endfreq=10000
17367@end example
17368@end itemize
17369
17370@section showfreqs
17371
17372Convert input audio to video output representing the audio power spectrum.
17373Audio amplitude is on Y-axis while frequency is on X-axis.
17374
17375The filter accepts the following options:
17376
17377@table @option
17378@item size, s
17379Specify size of video. For the syntax of this option, check the
17380@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
17381Default is @code{1024x512}.
17382
17383@item mode
17384Set display mode.
17385This set how each frequency bin will be represented.
17386
17387It accepts the following values:
17388@table @samp
17389@item line
17390@item bar
17391@item dot
17392@end table
17393Default is @code{bar}.
17394
17395@item ascale
17396Set amplitude scale.
17397
17398It accepts the following values:
17399@table @samp
17400@item lin
17401Linear scale.
17402
17403@item sqrt
17404Square root scale.
17405
17406@item cbrt
17407Cubic root scale.
17408
17409@item log
17410Logarithmic scale.
17411@end table
17412Default is @code{log}.
17413
17414@item fscale
17415Set frequency scale.
17416
17417It accepts the following values:
17418@table @samp
17419@item lin
17420Linear scale.
17421
17422@item log
17423Logarithmic scale.
17424
17425@item rlog
17426Reverse logarithmic scale.
17427@end table
17428Default is @code{lin}.
17429
17430@item win_size
17431Set window size.
17432
17433It accepts the following values:
17434@table @samp
17435@item w16
17436@item w32
17437@item w64
17438@item w128
17439@item w256
17440@item w512
17441@item w1024
17442@item w2048
17443@item w4096
17444@item w8192
17445@item w16384
17446@item w32768
17447@item w65536
17448@end table
17449Default is @code{w2048}
17450
17451@item win_func
17452Set windowing function.
17453
17454It accepts the following values:
17455@table @samp
17456@item rect
17457@item bartlett
17458@item hanning
17459@item hamming
17460@item blackman
17461@item welch
17462@item flattop
17463@item bharris
17464@item bnuttall
17465@item bhann
17466@item sine
17467@item nuttall
17468@item lanczos
17469@item gauss
17470@item tukey
17471@item dolph
17472@item cauchy
17473@item parzen
17474@item poisson
17475@end table
17476Default is @code{hanning}.
17477
17478@item overlap
17479Set window overlap. In range @code{[0, 1]}. Default is @code{1},
17480which means optimal overlap for selected window function will be picked.
17481
17482@item averaging
17483Set time averaging. Setting this to 0 will display current maximal peaks.
17484Default is @code{1}, which means time averaging is disabled.
17485
17486@item colors
17487Specify list of colors separated by space or by '|' which will be used to
17488draw channel frequencies. Unrecognized or missing colors will be replaced
17489by white color.
17490
17491@item cmode
17492Set channel display mode.
17493
17494It accepts the following values:
17495@table @samp
17496@item combined
17497@item separate
17498@end table
17499Default is @code{combined}.
17500
17501@item minamp
17502Set minimum amplitude used in @code{log} amplitude scaler.
17503
17504@end table
17505
17506@anchor{showspectrum}
17507@section showspectrum
17508
17509Convert input audio to a video output, representing the audio frequency
17510spectrum.
17511
17512The filter accepts the following options:
17513
17514@table @option
17515@item size, s
17516Specify the video size for the output. For the syntax of this option, check the
17517@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
17518Default value is @code{640x512}.
17519
17520@item slide
17521Specify how the spectrum should slide along the window.
17522
17523It accepts the following values:
17524@table @samp
17525@item replace
17526the samples start again on the left when they reach the right
17527@item scroll
17528the samples scroll from right to left
17529@item fullframe
17530frames are only produced when the samples reach the right
17531@item rscroll
17532the samples scroll from left to right
17533@end table
17534
17535Default value is @code{replace}.
17536
17537@item mode
17538Specify display mode.
17539
17540It accepts the following values:
17541@table @samp
17542@item combined
17543all channels are displayed in the same row
17544@item separate
17545all channels are displayed in separate rows
17546@end table
17547
17548Default value is @samp{combined}.
17549
17550@item color
17551Specify display color mode.
17552
17553It accepts the following values:
17554@table @samp
17555@item channel
17556each channel is displayed in a separate color
17557@item intensity
17558each channel is displayed using the same color scheme
17559@item rainbow
17560each channel is displayed using the rainbow color scheme
17561@item moreland
17562each channel is displayed using the moreland color scheme
17563@item nebulae
17564each channel is displayed using the nebulae color scheme
17565@item fire
17566each channel is displayed using the fire color scheme
17567@item fiery
17568each channel is displayed using the fiery color scheme
17569@item fruit
17570each channel is displayed using the fruit color scheme
17571@item cool
17572each channel is displayed using the cool color scheme
17573@end table
17574
17575Default value is @samp{channel}.
17576
17577@item scale
17578Specify scale used for calculating intensity color values.
17579
17580It accepts the following values:
17581@table @samp
17582@item lin
17583linear
17584@item sqrt
17585square root, default
17586@item cbrt
17587cubic root
17588@item log
17589logarithmic
17590@item 4thrt
175914th root
17592@item 5thrt
175935th root
17594@end table
17595
17596Default value is @samp{sqrt}.
17597
17598@item saturation
17599Set saturation modifier for displayed colors. Negative values provide
17600alternative color scheme. @code{0} is no saturation at all.
17601Saturation must be in [-10.0, 10.0] range.
17602Default value is @code{1}.
17603
17604@item win_func
17605Set window function.
17606
17607It accepts the following values:
17608@table @samp
17609@item rect
17610@item bartlett
17611@item hann
17612@item hanning
17613@item hamming
17614@item blackman
17615@item welch
17616@item flattop
17617@item bharris
17618@item bnuttall
17619@item bhann
17620@item sine
17621@item nuttall
17622@item lanczos
17623@item gauss
17624@item tukey
17625@item dolph
17626@item cauchy
17627@item parzen
17628@item poisson
17629@end table
17630
17631Default value is @code{hann}.
17632
17633@item orientation
17634Set orientation of time vs frequency axis. Can be @code{vertical} or
17635@code{horizontal}. Default is @code{vertical}.
17636
17637@item overlap
17638Set ratio of overlap window. Default value is @code{0}.
17639When value is @code{1} overlap is set to recommended size for specific
17640window function currently used.
17641
17642@item gain
17643Set scale gain for calculating intensity color values.
17644Default value is @code{1}.
17645
17646@item data
17647Set which data to display. Can be @code{magnitude}, default or @code{phase}.
17648
17649@item rotation
17650Set color rotation, must be in [-1.0, 1.0] range.
17651Default value is @code{0}.
17652@end table
17653
17654The usage is very similar to the showwaves filter; see the examples in that
17655section.
17656
17657@subsection Examples
17658
17659@itemize
17660@item
17661Large window with logarithmic color scaling:
17662@example
17663showspectrum=s=1280x480:scale=log
17664@end example
17665
17666@item
17667Complete example for a colored and sliding spectrum per channel using @command{ffplay}:
17668@example
17669ffplay -f lavfi 'amovie=input.mp3, asplit [a][out1];
17670 [a] showspectrum=mode=separate:color=intensity:slide=1:scale=cbrt [out0]'
17671@end example
17672@end itemize
17673
17674@section showspectrumpic
17675
17676Convert input audio to a single video frame, representing the audio frequency
17677spectrum.
17678
17679The filter accepts the following options:
17680
17681@table @option
17682@item size, s
17683Specify the video size for the output. For the syntax of this option, check the
17684@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
17685Default value is @code{4096x2048}.
17686
17687@item mode
17688Specify display mode.
17689
17690It accepts the following values:
17691@table @samp
17692@item combined
17693all channels are displayed in the same row
17694@item separate
17695all channels are displayed in separate rows
17696@end table
17697Default value is @samp{combined}.
17698
17699@item color
17700Specify display color mode.
17701
17702It accepts the following values:
17703@table @samp
17704@item channel
17705each channel is displayed in a separate color
17706@item intensity
17707each channel is displayed using the same color scheme
17708@item rainbow
17709each channel is displayed using the rainbow color scheme
17710@item moreland
17711each channel is displayed using the moreland color scheme
17712@item nebulae
17713each channel is displayed using the nebulae color scheme
17714@item fire
17715each channel is displayed using the fire color scheme
17716@item fiery
17717each channel is displayed using the fiery color scheme
17718@item fruit
17719each channel is displayed using the fruit color scheme
17720@item cool
17721each channel is displayed using the cool color scheme
17722@end table
17723Default value is @samp{intensity}.
17724
17725@item scale
17726Specify scale used for calculating intensity color values.
17727
17728It accepts the following values:
17729@table @samp
17730@item lin
17731linear
17732@item sqrt
17733square root, default
17734@item cbrt
17735cubic root
17736@item log
17737logarithmic
17738@item 4thrt
177394th root
17740@item 5thrt
177415th root
17742@end table
17743Default value is @samp{log}.
17744
17745@item saturation
17746Set saturation modifier for displayed colors. Negative values provide
17747alternative color scheme. @code{0} is no saturation at all.
17748Saturation must be in [-10.0, 10.0] range.
17749Default value is @code{1}.
17750
17751@item win_func
17752Set window function.
17753
17754It accepts the following values:
17755@table @samp
17756@item rect
17757@item bartlett
17758@item hann
17759@item hanning
17760@item hamming
17761@item blackman
17762@item welch
17763@item flattop
17764@item bharris
17765@item bnuttall
17766@item bhann
17767@item sine
17768@item nuttall
17769@item lanczos
17770@item gauss
17771@item tukey
17772@item dolph
17773@item cauchy
17774@item parzen
17775@item poisson
17776@end table
17777Default value is @code{hann}.
17778
17779@item orientation
17780Set orientation of time vs frequency axis. Can be @code{vertical} or
17781@code{horizontal}. Default is @code{vertical}.
17782
17783@item gain
17784Set scale gain for calculating intensity color values.
17785Default value is @code{1}.
17786
17787@item legend
17788Draw time and frequency axes and legends. Default is enabled.
17789
17790@item rotation
17791Set color rotation, must be in [-1.0, 1.0] range.
17792Default value is @code{0}.
17793@end table
17794
17795@subsection Examples
17796
17797@itemize
17798@item
17799Extract an audio spectrogram of a whole audio track
17800in a 1024x1024 picture using @command{ffmpeg}:
17801@example
17802ffmpeg -i audio.flac -lavfi showspectrumpic=s=1024x1024 spectrogram.png
17803@end example
17804@end itemize
17805
17806@section showvolume
17807
17808Convert input audio volume to a video output.
17809
17810The filter accepts the following options:
17811
17812@table @option
17813@item rate, r
17814Set video rate.
17815
17816@item b
17817Set border width, allowed range is [0, 5]. Default is 1.
17818
17819@item w
17820Set channel width, allowed range is [80, 8192]. Default is 400.
17821
17822@item h
17823Set channel height, allowed range is [1, 900]. Default is 20.
17824
17825@item f
17826Set fade, allowed range is [0.001, 1]. Default is 0.95.
17827
17828@item c
17829Set volume color expression.
17830
17831The expression can use the following variables:
17832
17833@table @option
17834@item VOLUME
17835Current max volume of channel in dB.
17836
17837@item PEAK
17838Current peak.
17839
17840@item CHANNEL
17841Current channel number, starting from 0.
17842@end table
17843
17844@item t
17845If set, displays channel names. Default is enabled.
17846
17847@item v
17848If set, displays volume values. Default is enabled.
17849
17850@item o
17851Set orientation, can be @code{horizontal} or @code{vertical},
17852default is @code{horizontal}.
17853
17854@item s
17855Set step size, allowed range s [0, 5]. Default is 0, which means
17856step is disabled.
17857@end table
17858
17859@section showwaves
17860
17861Convert input audio to a video output, representing the samples waves.
17862
17863The filter accepts the following options:
17864
17865@table @option
17866@item size, s
17867Specify the video size for the output. For the syntax of this option, check the
17868@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
17869Default value is @code{600x240}.
17870
17871@item mode
17872Set display mode.
17873
17874Available values are:
17875@table @samp
17876@item point
17877Draw a point for each sample.
17878
17879@item line
17880Draw a vertical line for each sample.
17881
17882@item p2p
17883Draw a point for each sample and a line between them.
17884
17885@item cline
17886Draw a centered vertical line for each sample.
17887@end table
17888
17889Default value is @code{point}.
17890
17891@item n
17892Set the number of samples which are printed on the same column. A
17893larger value will decrease the frame rate. Must be a positive
17894integer. This option can be set only if the value for @var{rate}
17895is not explicitly specified.
17896
17897@item rate, r
17898Set the (approximate) output frame rate. This is done by setting the
17899option @var{n}. Default value is "25".
17900
17901@item split_channels
17902Set if channels should be drawn separately or overlap. Default value is 0.
17903
17904@item colors
17905Set colors separated by '|' which are going to be used for drawing of each channel.
17906
17907@item scale
17908Set amplitude scale.
17909
17910Available values are:
17911@table @samp
17912@item lin
17913Linear.
17914
17915@item log
17916Logarithmic.
17917
17918@item sqrt
17919Square root.
17920
17921@item cbrt
17922Cubic root.
17923@end table
17924
17925Default is linear.
17926@end table
17927
17928@subsection Examples
17929
17930@itemize
17931@item
17932Output the input file audio and the corresponding video representation
17933at the same time:
17934@example
17935amovie=a.mp3,asplit[out0],showwaves[out1]
17936@end example
17937
17938@item
17939Create a synthetic signal and show it with showwaves, forcing a
17940frame rate of 30 frames per second:
17941@example
17942aevalsrc=sin(1*2*PI*t)*sin(880*2*PI*t):cos(2*PI*200*t),asplit[out0],showwaves=r=30[out1]
17943@end example
17944@end itemize
17945
17946@section showwavespic
17947
17948Convert input audio to a single video frame, representing the samples waves.
17949
17950The filter accepts the following options:
17951
17952@table @option
17953@item size, s
17954Specify the video size for the output. For the syntax of this option, check the
17955@ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
17956Default value is @code{600x240}.
17957
17958@item split_channels
17959Set if channels should be drawn separately or overlap. Default value is 0.
17960
17961@item colors
17962Set colors separated by '|' which are going to be used for drawing of each channel.
17963
17964@item scale
17965Set amplitude scale.
17966
17967Available values are:
17968@table @samp
17969@item lin
17970Linear.
17971
17972@item log
17973Logarithmic.
17974
17975@item sqrt
17976Square root.
17977
17978@item cbrt
17979Cubic root.
17980@end table
17981
17982Default is linear.
17983@end table
17984
17985@subsection Examples
17986
17987@itemize
17988@item
17989Extract a channel split representation of the wave form of a whole audio track
17990in a 1024x800 picture using @command{ffmpeg}:
17991@example
17992ffmpeg -i audio.flac -lavfi showwavespic=split_channels=1:s=1024x800 waveform.png
17993@end example
17994@end itemize
17995
17996@section sidedata, asidedata
17997
17998Delete frame side data, or select frames based on it.
17999
18000This filter accepts the following options:
18001
18002@table @option
18003@item mode
18004Set mode of operation of the filter.
18005
18006Can be one of the following:
18007
18008@table @samp
18009@item select
18010Select every frame with side data of @code{type}.
18011
18012@item delete
18013Delete side data of @code{type}. If @code{type} is not set, delete all side
18014data in the frame.
18015
18016@end table
18017
18018@item type
18019Set side data type used with all modes. Must be set for @code{select} mode. For
18020the list of frame side data types, refer to the @code{AVFrameSideDataType} enum
18021in @file{libavutil/frame.h}. For example, to choose
18022@code{AV_FRAME_DATA_PANSCAN} side data, you must specify @code{PANSCAN}.
18023
18024@end table
18025
18026@section spectrumsynth
18027
18028Sythesize audio from 2 input video spectrums, first input stream represents
18029magnitude across time and second represents phase across time.
18030The filter will transform from frequency domain as displayed in videos back
18031to time domain as presented in audio output.
18032
18033This filter is primarily created for reversing processed @ref{showspectrum}
18034filter outputs, but can synthesize sound from other spectrograms too.
18035But in such case results are going to be poor if the phase data is not
18036available, because in such cases phase data need to be recreated, usually
18037its just recreated from random noise.
18038For best results use gray only output (@code{channel} color mode in
18039@ref{showspectrum} filter) and @code{log} scale for magnitude video and
18040@code{lin} scale for phase video. To produce phase, for 2nd video, use
18041@code{data} option. Inputs videos should generally use @code{fullframe}
18042slide mode as that saves resources needed for decoding video.
18043
18044The filter accepts the following options:
18045
18046@table @option
18047@item sample_rate
18048Specify sample rate of output audio, the sample rate of audio from which
18049spectrum was generated may differ.
18050
18051@item channels
18052Set number of channels represented in input video spectrums.
18053
18054@item scale
18055Set scale which was used when generating magnitude input spectrum.
18056Can be @code{lin} or @code{log}. Default is @code{log}.
18057
18058@item slide
18059Set slide which was used when generating inputs spectrums.
18060Can be @code{replace}, @code{scroll}, @code{fullframe} or @code{rscroll}.
18061Default is @code{fullframe}.
18062
18063@item win_func
18064Set window function used for resynthesis.
18065
18066@item overlap
18067Set window overlap. In range @code{[0, 1]}. Default is @code{1},
18068which means optimal overlap for selected window function will be picked.
18069
18070@item orientation
18071Set orientation of input videos. Can be @code{vertical} or @code{horizontal}.
18072Default is @code{vertical}.
18073@end table
18074
18075@subsection Examples
18076
18077@itemize
18078@item
18079First create magnitude and phase videos from audio, assuming audio is stereo with 44100 sample rate,
18080then resynthesize videos back to audio with spectrumsynth:
18081@example
18082ffmpeg -i input.flac -lavfi showspectrum=mode=separate:scale=log:overlap=0.875:color=channel:slide=fullframe:data=magnitude -an -c:v rawvideo magnitude.nut
18083ffmpeg -i input.flac -lavfi showspectrum=mode=separate:scale=lin:overlap=0.875:color=channel:slide=fullframe:data=phase -an -c:v rawvideo phase.nut
18084ffmpeg -i magnitude.nut -i phase.nut -lavfi spectrumsynth=channels=2:sample_rate=44100:win_func=hann:overlap=0.875:slide=fullframe output.flac
18085@end example
18086@end itemize
18087
18088@section split, asplit
18089
18090Split input into several identical outputs.
18091
18092@code{asplit} works with audio input, @code{split} with video.
18093
18094The filter accepts a single parameter which specifies the number of outputs. If
18095unspecified, it defaults to 2.
18096
18097@subsection Examples
18098
18099@itemize
18100@item
18101Create two separate outputs from the same input:
18102@example
18103[in] split [out0][out1]
18104@end example
18105
18106@item
18107To create 3 or more outputs, you need to specify the number of
18108outputs, like in:
18109@example
18110[in] asplit=3 [out0][out1][out2]
18111@end example
18112
18113@item
18114Create two separate outputs from the same input, one cropped and
18115one padded:
18116@example
18117[in] split [splitout1][splitout2];
18118[splitout1] crop=100:100:0:0 [cropout];
18119[splitout2] pad=200:200:100:100 [padout];
18120@end example
18121
18122@item
18123Create 5 copies of the input audio with @command{ffmpeg}:
18124@example
18125ffmpeg -i INPUT -filter_complex asplit=5 OUTPUT
18126@end example
18127@end itemize
18128
18129@section zmq, azmq
18130
18131Receive commands sent through a libzmq client, and forward them to
18132filters in the filtergraph.
18133
18134@code{zmq} and @code{azmq} work as a pass-through filters. @code{zmq}
18135must be inserted between two video filters, @code{azmq} between two
18136audio filters.
18137
18138To enable these filters you need to install the libzmq library and
18139headers and configure FFmpeg with @code{--enable-libzmq}.
18140
18141For more information about libzmq see:
18142@url{http://www.zeromq.org/}
18143
18144The @code{zmq} and @code{azmq} filters work as a libzmq server, which
18145receives messages sent through a network interface defined by the
18146@option{bind_address} option.
18147
18148The received message must be in the form:
18149@example
18150@var{TARGET} @var{COMMAND} [@var{ARG}]
18151@end example
18152
18153@var{TARGET} specifies the target of the command, usually the name of
18154the filter class or a specific filter instance name.
18155
18156@var{COMMAND} specifies the name of the command for the target filter.
18157
18158@var{ARG} is optional and specifies the optional argument list for the
18159given @var{COMMAND}.
18160
18161Upon reception, the message is processed and the corresponding command
18162is injected into the filtergraph. Depending on the result, the filter
18163will send a reply to the client, adopting the format:
18164@example
18165@var{ERROR_CODE} @var{ERROR_REASON}
18166@var{MESSAGE}
18167@end example
18168
18169@var{MESSAGE} is optional.
18170
18171@subsection Examples
18172
18173Look at @file{tools/zmqsend} for an example of a zmq client which can
18174be used to send commands processed by these filters.
18175
18176Consider the following filtergraph generated by @command{ffplay}
18177@example
18178ffplay -dumpgraph 1 -f lavfi "
18179color=s=100x100:c=red [l];
18180color=s=100x100:c=blue [r];
18181nullsrc=s=200x100, zmq [bg];
18182[bg][l] overlay [bg+l];
18183[bg+l][r] overlay=x=100 "
18184@end example
18185
18186To change the color of the left side of the video, the following
18187command can be used:
18188@example
18189echo Parsed_color_0 c yellow | tools/zmqsend
18190@end example
18191
18192To change the right side:
18193@example
18194echo Parsed_color_1 c pink | tools/zmqsend
18195@end example
18196
18197@c man end MULTIMEDIA FILTERS
18198
18199@chapter Multimedia Sources
18200@c man begin MULTIMEDIA SOURCES
18201
18202Below is a description of the currently available multimedia sources.
18203
18204@section amovie
18205
18206This is the same as @ref{movie} source, except it selects an audio
18207stream by default.
18208
18209@anchor{movie}
18210@section movie
18211
18212Read audio and/or video stream(s) from a movie container.
18213
18214It accepts the following parameters:
18215
18216@table @option
18217@item filename
18218The name of the resource to read (not necessarily a file; it can also be a
18219device or a stream accessed through some protocol).
18220
18221@item format_name, f
18222Specifies the format assumed for the movie to read, and can be either
18223the name of a container or an input device. If not specified, the
18224format is guessed from @var{movie_name} or by probing.
18225
18226@item seek_point, sp
18227Specifies the seek point in seconds. The frames will be output
18228starting from this seek point. The parameter is evaluated with
18229@code{av_strtod}, so the numerical value may be suffixed by an IS
18230postfix. The default value is "0".
18231
18232@item streams, s
18233Specifies the streams to read. Several streams can be specified,
18234separated by "+". The source will then have as many outputs, in the
18235same order. The syntax is explained in the ``Stream specifiers''
18236section in the ffmpeg manual. Two special names, "dv" and "da" specify
18237respectively the default (best suited) video and audio stream. Default
18238is "dv", or "da" if the filter is called as "amovie".
18239
18240@item stream_index, si
18241Specifies the index of the video stream to read. If the value is -1,
18242the most suitable video stream will be automatically selected. The default
18243value is "-1". Deprecated. If the filter is called "amovie", it will select
18244audio instead of video.
18245
18246@item loop
18247Specifies how many times to read the stream in sequence.
18248If the value is 0, the stream will be looped infinitely.
18249Default value is "1".
18250
18251Note that when the movie is looped the source timestamps are not
18252changed, so it will generate non monotonically increasing timestamps.
18253
18254@item discontinuity
18255Specifies the time difference between frames above which the point is
18256considered a timestamp discontinuity which is removed by adjusting the later
18257timestamps.
18258@end table
18259
18260It allows overlaying a second video on top of the main input of
18261a filtergraph, as shown in this graph:
18262@example
18263input -----------> deltapts0 --> overlay --> output
18264 ^
18265 |
18266movie --> scale--> deltapts1 -------+
18267@end example
18268@subsection Examples
18269
18270@itemize
18271@item
18272Skip 3.2 seconds from the start of the AVI file in.avi, and overlay it
18273on top of the input labelled "in":
18274@example
18275movie=in.avi:seek_point=3.2, scale=180:-1, setpts=PTS-STARTPTS [over];
18276[in] setpts=PTS-STARTPTS [main];
18277[main][over] overlay=16:16 [out]
18278@end example
18279
18280@item
18281Read from a video4linux2 device, and overlay it on top of the input
18282labelled "in":
18283@example
18284movie=/dev/video0:f=video4linux2, scale=180:-1, setpts=PTS-STARTPTS [over];
18285[in] setpts=PTS-STARTPTS [main];
18286[main][over] overlay=16:16 [out]
18287@end example
18288
18289@item
18290Read the first video stream and the audio stream with id 0x81 from
18291dvd.vob; the video is connected to the pad named "video" and the audio is
18292connected to the pad named "audio":
18293@example
18294movie=dvd.vob:s=v:0+#0x81 [video] [audio]
18295@end example
18296@end itemize
18297
18298@subsection Commands
18299
18300Both movie and amovie support the following commands:
18301@table @option
18302@item seek
18303Perform seek using "av_seek_frame".
18304The syntax is: seek @var{stream_index}|@var{timestamp}|@var{flags}
18305@itemize
18306@item
18307@var{stream_index}: If stream_index is -1, a default
18308stream is selected, and @var{timestamp} is automatically converted
18309from AV_TIME_BASE units to the stream specific time_base.
18310@item
18311@var{timestamp}: Timestamp in AVStream.time_base units
18312or, if no stream is specified, in AV_TIME_BASE units.
18313@item
18314@var{flags}: Flags which select direction and seeking mode.
18315@end itemize
18316
18317@item get_duration
18318Get movie duration in AV_TIME_BASE units.
18319
18320@end table
18321
18322@c man end MULTIMEDIA SOURCES
18323