]> git.sesse.net Git - ffmpeg/blob - doc/filters.texi
Merge commit 'c513fcd7d235aa4cef45a6c3125bd4dcc03bf276'
[ffmpeg] / doc / filters.texi
1 @chapter Filtering Introduction
2 @c man begin FILTERING INTRODUCTION
3
4 Filtering in FFmpeg is enabled through the libavfilter library.
5
6 In libavfilter, a filter can have multiple inputs and multiple
7 outputs.
8 To illustrate the sorts of things that are possible, we consider the
9 following filtergraph.
10
11 @verbatim
12                 [main]
13 input --> split ---------------------> overlay --> output
14             |                             ^
15             |[tmp]                  [flip]|
16             +-----> crop --> vflip -------+
17 @end verbatim
18
19 This filtergraph splits the input stream in two streams, then sends one
20 stream through the crop filter and the vflip filter, before merging it
21 back with the other stream by overlaying it on top. You can use the
22 following command to achieve this:
23
24 @example
25 ffmpeg -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
28 The result will be that the top half of the video is mirrored
29 onto the bottom half of the output video.
30
31 Filters in the same linear chain are separated by commas, and distinct
32 linear 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
35 chains join are labelled by names enclosed in square brackets. In the
36 example, the split filter generates two outputs that are associated to
37 the labels @var{[main]} and @var{[tmp]}.
38
39 The stream sent to the second output of @var{split}, labelled as
40 @var{[tmp]}, is processed through the @var{crop} filter, which crops
41 away 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
43 split filter (which was labelled as @var{[main]}), and overlay on its
44 lower half the output generated by the @var{crop,vflip} filterchain.
45
46 Some filters take in input a list of parameters: they are specified
47 after the filter name and an equal sign, and are separated from each other
48 by a colon.
49
50 There exist so-called @var{source filters} that do not have an
51 audio/video input, and @var{sink filters} that will not have audio/video
52 output.
53
54 @c man end FILTERING INTRODUCTION
55
56 @chapter graph2dot
57 @c man begin GRAPH2DOT
58
59 The @file{graph2dot} program included in the FFmpeg @file{tools}
60 directory can be used to parse a filtergraph description and issue a
61 corresponding textual representation in the dot language.
62
63 Invoke the command:
64 @example
65 graph2dot -h
66 @end example
67
68 to see how to use @file{graph2dot}.
69
70 You can then pass the dot description to the @file{dot} program (from
71 the graphviz suite of programs) and obtain a graphical representation
72 of the filtergraph.
73
74 For example the sequence of commands:
75 @example
76 echo @var{GRAPH_DESCRIPTION} | \
77 tools/graph2dot -o graph.tmp && \
78 dot -Tpng graph.tmp -o graph.png && \
79 display graph.png
80 @end example
81
82 can be used to create and display an image representing the graph
83 described by the @var{GRAPH_DESCRIPTION} string. Note that this string must be
84 a complete self-contained graph, with its inputs and outputs explicitly defined.
85 For example if your command line is of the form:
86 @example
87 ffmpeg -i infile -vf scale=640:360 outfile
88 @end example
89 your @var{GRAPH_DESCRIPTION} string will need to be of the form:
90 @example
91 nullsrc,scale=640:360,nullsink
92 @end example
93 you may also need to set the @var{nullsrc} parameters and add a @var{format}
94 filter 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
101 A filtergraph is a directed graph of connected filters. It can contain
102 cycles, and there can be multiple links between a pair of
103 filters. Each link has one input pad on one side connecting it to one
104 filter from which it takes its input, and one output pad on the other
105 side connecting it to one filter accepting its output.
106
107 Each filter in a filtergraph is an instance of a filter class
108 registered in the application, which defines the features and the
109 number of input and output pads of the filter.
110
111 A filter with no input pads is called a "source", and a filter with no
112 output pads is called a "sink".
113
114 @anchor{Filtergraph syntax}
115 @section Filtergraph syntax
116
117 A 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
124 A filterchain consists of a sequence of connected filters, each one
125 connected to the previous one in the sequence. A filterchain is
126 represented by a list of ","-separated filter descriptions.
127
128 A filtergraph consists of a sequence of filterchains. A sequence of
129 filterchains is represented by a list of ";"-separated filterchain
130 descriptions.
131
132 A filter is represented by a string of the form:
133 [@var{in_link_1}]...[@var{in_link_N}]@var{filter_name}@@@var{id}=@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
136 described filter is an instance of, and has to be the name of one of
137 the filter classes registered in the program optionally followed by "@@@var{id}".
138 The 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
142 initialize the filter instance. It may have one of two forms:
143 @itemize
144
145 @item
146 A ':'-separated list of @var{key=value} pairs.
147
148 @item
149 A ':'-separated list of @var{value}. In this case, the keys are assumed to be
150 the option names in the order they are declared. E.g. the @code{fade} filter
151 declares 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
157 A ':'-separated list of mixed direct @var{value} and long @var{key=value}
158 pairs. The direct @var{value} must precede the @var{key=value} pairs, and
159 follow 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
164 If the option value itself is a list of items (e.g. the @code{format} filter
165 takes a list of pixel formats), the items in the list are usually separated by
166 @samp{|}.
167
168 The list of arguments can be quoted using the character @samp{'} as initial
169 and ending mark, and the character @samp{\} for escaping the characters
170 within the quoted text; otherwise the argument string is considered
171 terminated when the next special character (belonging to the set
172 @samp{[]=;,}) is encountered.
173
174 The name and arguments of the filter are optionally preceded and
175 followed by a list of link labels.
176 A link label allows one to name a link and associate it to a filter output
177 or input pad. The preceding labels @var{in_link_1}
178 ... @var{in_link_N}, are associated to the filter input pads,
179 the following labels @var{out_link_1} ... @var{out_link_M}, are
180 associated to the output pads.
181
182 When two link labels with the same name are found in the
183 filtergraph, a link between the corresponding input and output pad is
184 created.
185
186 If an output pad is not labelled, it is linked by default to the first
187 unlabelled input pad of the next filter in the filterchain.
188 For example in the filterchain
189 @example
190 nullsrc, split[L1], [L2]overlay, nullsink
191 @end example
192 the split filter instance has two output pads, and the overlay filter
193 instance 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
195 output pad of split is linked to the second input pad of overlay,
196 which are both unlabelled.
197
198 In a filter description, if the input label of the first filter is not
199 specified, "in" is assumed; if the output label of the last filter is not
200 specified, "out" is assumed.
201
202 In a complete filterchain all the unlabelled filter input and output
203 pads must be connected. A filtergraph is considered valid if all the
204 filter input and output pads of all the filterchains are connected.
205
206 Libavfilter will automatically insert @ref{scale} filters where format
207 conversion is required. It is possible to specify swscale flags
208 for those automatically inserted scalers by prepending
209 @code{sws_flags=@var{flags};}
210 to the filtergraph description.
211
212 Here is a BNF description of the filtergraph syntax:
213 @example
214 @var{NAME}             ::= sequence of alphanumeric characters and '_'
215 @var{FILTER_NAME}      ::= @var{NAME}["@@"@var{NAME}]
216 @var{LINKLABEL}        ::= "[" @var{NAME} "]"
217 @var{LINKLABELS}       ::= @var{LINKLABEL} [@var{LINKLABELS}]
218 @var{FILTER_ARGUMENTS} ::= sequence of chars (possibly quoted)
219 @var{FILTER}           ::= [@var{LINKLABELS}] @var{FILTER_NAME} ["=" @var{FILTER_ARGUMENTS}] [@var{LINKLABELS}]
220 @var{FILTERCHAIN}      ::= @var{FILTER} [,@var{FILTERCHAIN}]
221 @var{FILTERGRAPH}      ::= [sws_flags=@var{flags};] @var{FILTERCHAIN} [;@var{FILTERGRAPH}]
222 @end example
223
224 @anchor{filtergraph escaping}
225 @section Notes on filtergraph escaping
226
227 Filtergraph description composition entails several levels of
228 escaping. See @ref{quoting_and_escaping,,the "Quoting and escaping"
229 section in the ffmpeg-utils(1) manual,ffmpeg-utils} for more
230 information about the employed escaping procedure.
231
232 A first level escaping affects the content of each filter option
233 value, which may contain the special character @code{:} used to
234 separate values, or one of the escaping characters @code{\'}.
235
236 A second level escaping affects the whole filter description, which
237 may contain the escaping characters @code{\'} or the special
238 characters @code{[],;} used by the filtergraph description.
239
240 Finally, when you specify a filtergraph on a shell commandline, you
241 need to perform a third level escaping for the shell special
242 characters contained within it.
243
244 For example, consider the following string to be embedded in
245 the @ref{drawtext} filter description @option{text} value:
246 @example
247 this is a 'string': may contain one, or more, special characters
248 @end example
249
250 This string contains the @code{'} special escaping character, and the
251 @code{:} special character, so it needs to be escaped in this way:
252 @example
253 text=this is a \'string\'\: may contain one, or more, special characters
254 @end example
255
256 A second level of escaping is required when embedding the filter
257 description in a filtergraph description, in order to escape all the
258 filtergraph special characters. Thus the example above becomes:
259 @example
260 drawtext=text=this is a \\\'string\\\'\\: may contain one\, or more\, special characters
261 @end example
262 (note that in addition to the @code{\'} escaping special characters,
263 also @code{,} needs to be escaped).
264
265 Finally an additional level of escaping is needed when writing the
266 filtergraph description in a shell command, which depends on the
267 escaping rules of the adopted shell. For example, assuming that
268 @code{\} is special and needs to be escaped with another @code{\}, the
269 previous string will finally result in:
270 @example
271 -vf "drawtext=text=this is a \\\\\\'string\\\\\\'\\\\: may contain one\\, or more\\, special characters"
272 @end example
273
274 @chapter Timeline editing
275
276 Some filters support a generic @option{enable} option. For the filters
277 supporting timeline editing, this option can be set to an expression which is
278 evaluated before sending a frame to the filter. If the evaluation is non-zero,
279 the filter will be enabled, otherwise the frame will be sent unchanged to the
280 next filter in the filtergraph.
281
282 The expression accepts the following values:
283 @table @samp
284 @item t
285 timestamp expressed in seconds, NAN if the input timestamp is unknown
286
287 @item n
288 sequential number of the input frame, starting from 0
289
290 @item pos
291 the position in the file of the input frame, NAN if unknown
292
293 @item w
294 @item h
295 width and height of the input frame if video
296 @end table
297
298 Additionally, these filters support an @option{enable} command that can be used
299 to re-define the expression.
300
301 Like any other filtering option, the @option{enable} option follows the same
302 rules.
303
304 For example, to enable a blur filter (@ref{smartblur}) from 10 seconds to 3
305 minutes, and a @ref{curves} filter starting at 3 seconds:
306 @example
307 smartblur = enable='between(t,10,3*60)',
308 curves    = enable='gte(t,3)' : preset=cross_process
309 @end example
310
311 See @code{ffmpeg -filters} to view which filters have timeline support.
312
313 @c man end FILTERGRAPH DESCRIPTION
314
315 @anchor{framesync}
316 @chapter Options for filters with several inputs (framesync)
317 @c man begin OPTIONS FOR FILTERS WITH SEVERAL INPUTS
318
319 Some filters with several inputs support a common set of options.
320 These options can only be set by name, not with the short notation.
321
322 @table @option
323 @item eof_action
324 The action to take when EOF is encountered on the secondary input; it accepts
325 one of the following values:
326
327 @table @option
328 @item repeat
329 Repeat the last frame (the default).
330 @item endall
331 End both streams.
332 @item pass
333 Pass the main input through.
334 @end table
335
336 @item shortest
337 If set to 1, force the output to terminate when the shortest input
338 terminates. Default value is 0.
339
340 @item repeatlast
341 If set to 1, force the filter to extend the last frame of secondary streams
342 until the end of the primary stream. A value of 0 disables this behavior.
343 Default value is 1.
344 @end table
345
346 @c man end OPTIONS FOR FILTERS WITH SEVERAL INPUTS
347
348 @chapter Audio Filters
349 @c man begin AUDIO FILTERS
350
351 When you configure your FFmpeg build, you can disable any of the
352 existing filters using @code{--disable-filters}.
353 The configure output will show the audio filters included in your
354 build.
355
356 Below is a description of the currently available audio filters.
357
358 @section acompressor
359
360 A compressor is mainly used to reduce the dynamic range of a signal.
361 Especially modern music is mostly compressed at a high ratio to
362 improve the overall loudness. It's done to get the highest attention
363 of a listener, "fatten" the sound and bring more "power" to the track.
364 If a signal is compressed too much it may sound dull or "dead"
365 afterwards or it may start to "pump" (which could be a powerful effect
366 but can also destroy a track completely).
367 The right compression is the key to reach a professional sound and is
368 the high art of mixing and mastering. Because of its complex settings
369 it may take a long time to get the right feeling for this kind of effect.
370
371 Compression is done by detecting the volume above a chosen level
372 @code{threshold} and dividing it by the factor set with @code{ratio}.
373 So if you set the threshold to -12dB and your signal reaches -6dB a ratio
374 of 2:1 will result in a signal at -9dB. Because an exact manipulation of
375 the signal would cause distortion of the waveform the reduction can be
376 levelled over the time. This is done by setting "Attack" and "Release".
377 @code{attack} determines how long the signal has to rise above the threshold
378 before any reduction will occur and @code{release} sets the time the signal
379 has to fall below the threshold to reduce the reduction again. Shorter signals
380 than the chosen attack time will be left untouched.
381 The overall reduction of the signal can be made up afterwards with the
382 @code{makeup} setting. So compressing the peaks of a signal about 6dB and
383 raising the makeup to this level results in a signal twice as loud than the
384 source. To gain a softer entry in the compression the @code{knee} flattens the
385 hard edge at the threshold in the range of the chosen decibels.
386
387 The filter accepts the following options:
388
389 @table @option
390 @item level_in
391 Set input gain. Default is 1. Range is between 0.015625 and 64.
392
393 @item threshold
394 If a signal of stream rises above this level it will affect the gain
395 reduction.
396 By default it is 0.125. Range is between 0.00097563 and 1.
397
398 @item ratio
399 Set a ratio by which the signal is reduced. 1:2 means that if the level
400 rose 4dB above the threshold, it will be only 2dB above after the reduction.
401 Default is 2. Range is between 1 and 20.
402
403 @item attack
404 Amount of milliseconds the signal has to rise above the threshold before gain
405 reduction starts. Default is 20. Range is between 0.01 and 2000.
406
407 @item release
408 Amount of milliseconds the signal has to fall below the threshold before
409 reduction is decreased again. Default is 250. Range is between 0.01 and 9000.
410
411 @item makeup
412 Set the amount by how much signal will be amplified after processing.
413 Default is 1. Range is from 1 to 64.
414
415 @item knee
416 Curve the sharp knee around the threshold to enter gain reduction more softly.
417 Default is 2.82843. Range is between 1 and 8.
418
419 @item link
420 Choose if the @code{average} level between all channels of input stream
421 or the louder(@code{maximum}) channel of input stream affects the
422 reduction. Default is @code{average}.
423
424 @item detection
425 Should the exact signal be taken in case of @code{peak} or an RMS one in case
426 of @code{rms}. Default is @code{rms} which is mostly smoother.
427
428 @item mix
429 How much to use compressed signal in output. Default is 1.
430 Range is between 0 and 1.
431 @end table
432
433 @section acontrast
434 Simple audio dynamic range compression/expansion filter.
435
436 The filter accepts the following options:
437
438 @table @option
439 @item contrast
440 Set contrast. Default is 33. Allowed range is between 0 and 100.
441 @end table
442
443 @section acopy
444
445 Copy the input audio source unchanged to the output. This is mainly useful for
446 testing purposes.
447
448 @section acrossfade
449
450 Apply cross fade from one input audio stream to another input audio stream.
451 The cross fade is applied for specified duration near the end of first stream.
452
453 The filter accepts the following options:
454
455 @table @option
456 @item nb_samples, ns
457 Specify the number of samples for which the cross fade effect has to last.
458 At the end of the cross fade effect the first input audio will be completely
459 silent. Default is 44100.
460
461 @item duration, d
462 Specify the duration of the cross fade effect. See
463 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
464 for the accepted syntax.
465 By default the duration is determined by @var{nb_samples}.
466 If set this option is used instead of @var{nb_samples}.
467
468 @item overlap, o
469 Should first stream end overlap with second stream start. Default is enabled.
470
471 @item curve1
472 Set curve for cross fade transition for first stream.
473
474 @item curve2
475 Set curve for cross fade transition for second stream.
476
477 For description of available curve types see @ref{afade} filter description.
478 @end table
479
480 @subsection Examples
481
482 @itemize
483 @item
484 Cross fade from one input to another:
485 @example
486 ffmpeg -i first.flac -i second.flac -filter_complex acrossfade=d=10:c1=exp:c2=exp output.flac
487 @end example
488
489 @item
490 Cross fade from one input to another but without overlapping:
491 @example
492 ffmpeg -i first.flac -i second.flac -filter_complex acrossfade=d=10:o=0:c1=exp:c2=exp output.flac
493 @end example
494 @end itemize
495
496 @section acrossover
497 Split audio stream into several bands.
498
499 This filter splits audio stream into two or more frequency ranges.
500 Summing all streams back will give flat output.
501
502 The filter accepts the following options:
503
504 @table @option
505 @item split
506 Set split frequencies. Those must be positive and increasing.
507
508 @item order
509 Set filter order, can be @var{2nd}, @var{4th} or @var{8th}.
510 Default is @var{4th}.
511 @end table
512
513 @section acrusher
514
515 Reduce audio bit resolution.
516
517 This filter is bit crusher with enhanced functionality. A bit crusher
518 is used to audibly reduce number of bits an audio signal is sampled
519 with. This doesn't change the bit depth at all, it just produces the
520 effect. Material reduced in bit depth sounds more harsh and "digital".
521 This filter is able to even round to continuous values instead of discrete
522 bit depths.
523 Additionally it has a D/C offset which results in different crushing of
524 the lower and the upper half of the signal.
525 An Anti-Aliasing setting is able to produce "softer" crushing sounds.
526
527 Another feature of this filter is the logarithmic mode.
528 This setting switches from linear distances between bits to logarithmic ones.
529 The result is a much more "natural" sounding crusher which doesn't gate low
530 signals for example. The human ear has a logarithmic perception,
531 so this kind of crushing is much more pleasant.
532 Logarithmic crushing is also able to get anti-aliased.
533
534 The filter accepts the following options:
535
536 @table @option
537 @item level_in
538 Set level in.
539
540 @item level_out
541 Set level out.
542
543 @item bits
544 Set bit reduction.
545
546 @item mix
547 Set mixing amount.
548
549 @item mode
550 Can be linear: @code{lin} or logarithmic: @code{log}.
551
552 @item dc
553 Set DC.
554
555 @item aa
556 Set anti-aliasing.
557
558 @item samples
559 Set sample reduction.
560
561 @item lfo
562 Enable LFO. By default disabled.
563
564 @item lforange
565 Set LFO range.
566
567 @item lforate
568 Set LFO rate.
569 @end table
570
571 @section acue
572
573 Delay audio filtering until a given wallclock timestamp. See the @ref{cue}
574 filter.
575
576 @section adeclick
577 Remove impulsive noise from input audio.
578
579 Samples detected as impulsive noise are replaced by interpolated samples using
580 autoregressive modelling.
581
582 @table @option
583 @item w
584 Set window size, in milliseconds. Allowed range is from @code{10} to
585 @code{100}. Default value is @code{55} milliseconds.
586 This sets size of window which will be processed at once.
587
588 @item o
589 Set window overlap, in percentage of window size. Allowed range is from
590 @code{50} to @code{95}. Default value is @code{75} percent.
591 Setting this to a very high value increases impulsive noise removal but makes
592 whole process much slower.
593
594 @item a
595 Set autoregression order, in percentage of window size. Allowed range is from
596 @code{0} to @code{25}. Default value is @code{2} percent. This option also
597 controls quality of interpolated samples using neighbour good samples.
598
599 @item t
600 Set threshold value. Allowed range is from @code{1} to @code{100}.
601 Default value is @code{2}.
602 This controls the strength of impulsive noise which is going to be removed.
603 The lower value, the more samples will be detected as impulsive noise.
604
605 @item b
606 Set burst fusion, in percentage of window size. Allowed range is @code{0} to
607 @code{10}. Default value is @code{2}.
608 If any two samples detected as noise are spaced less than this value then any
609 sample between those two samples will be also detected as noise.
610
611 @item m
612 Set overlap method.
613
614 It accepts the following values:
615 @table @option
616 @item a
617 Select overlap-add method. Even not interpolated samples are slightly
618 changed with this method.
619
620 @item s
621 Select overlap-save method. Not interpolated samples remain unchanged.
622 @end table
623
624 Default value is @code{a}.
625 @end table
626
627 @section adeclip
628 Remove clipped samples from input audio.
629
630 Samples detected as clipped are replaced by interpolated samples using
631 autoregressive modelling.
632
633 @table @option
634 @item w
635 Set window size, in milliseconds. Allowed range is from @code{10} to @code{100}.
636 Default value is @code{55} milliseconds.
637 This sets size of window which will be processed at once.
638
639 @item o
640 Set window overlap, in percentage of window size. Allowed range is from @code{50}
641 to @code{95}. Default value is @code{75} percent.
642
643 @item a
644 Set autoregression order, in percentage of window size. Allowed range is from
645 @code{0} to @code{25}. Default value is @code{8} percent. This option also controls
646 quality of interpolated samples using neighbour good samples.
647
648 @item t
649 Set threshold value. Allowed range is from @code{1} to @code{100}.
650 Default value is @code{10}. Higher values make clip detection less aggressive.
651
652 @item n
653 Set size of histogram used to detect clips. Allowed range is from @code{100} to @code{9999}.
654 Default value is @code{1000}. Higher values make clip detection less aggressive.
655
656 @item m
657 Set overlap method.
658
659 It accepts the following values:
660 @table @option
661 @item a
662 Select overlap-add method. Even not interpolated samples are slightly changed
663 with this method.
664
665 @item s
666 Select overlap-save method. Not interpolated samples remain unchanged.
667 @end table
668
669 Default value is @code{a}.
670 @end table
671
672 @section adelay
673
674 Delay one or more audio channels.
675
676 Samples in delayed channel are filled with silence.
677
678 The filter accepts the following option:
679
680 @table @option
681 @item delays
682 Set list of delays in milliseconds for each channel separated by '|'.
683 Unused delays will be silently ignored. If number of given delays is
684 smaller than number of channels all remaining channels will not be delayed.
685 If you want to delay exact number of samples, append 'S' to number.
686 If you want instead to delay in seconds, append 's' to number.
687 @end table
688
689 @subsection Examples
690
691 @itemize
692 @item
693 Delay first channel by 1.5 seconds, the third channel by 0.5 seconds and leave
694 the second channel (and any other channels that may be present) unchanged.
695 @example
696 adelay=1500|0|500
697 @end example
698
699 @item
700 Delay second channel by 500 samples, the third channel by 700 samples and leave
701 the first channel (and any other channels that may be present) unchanged.
702 @example
703 adelay=0|500S|700S
704 @end example
705 @end itemize
706
707 @section aderivative, aintegral
708
709 Compute derivative/integral of audio stream.
710
711 Applying both filters one after another produces original audio.
712
713 @section aecho
714
715 Apply echoing to the input audio.
716
717 Echoes are reflected sound and can occur naturally amongst mountains
718 (and sometimes large buildings) when talking or shouting; digital echo
719 effects emulate this behaviour and are often used to help fill out the
720 sound of a single instrument or vocal. The time difference between the
721 original signal and the reflection is the @code{delay}, and the
722 loudness of the reflected signal is the @code{decay}.
723 Multiple echoes can have different delays and decays.
724
725 A description of the accepted parameters follows.
726
727 @table @option
728 @item in_gain
729 Set input gain of reflected signal. Default is @code{0.6}.
730
731 @item out_gain
732 Set output gain of reflected signal. Default is @code{0.3}.
733
734 @item delays
735 Set list of time intervals in milliseconds between original signal and reflections
736 separated by '|'. Allowed range for each @code{delay} is @code{(0 - 90000.0]}.
737 Default is @code{1000}.
738
739 @item decays
740 Set list of loudness of reflected signals separated by '|'.
741 Allowed range for each @code{decay} is @code{(0 - 1.0]}.
742 Default is @code{0.5}.
743 @end table
744
745 @subsection Examples
746
747 @itemize
748 @item
749 Make it sound as if there are twice as many instruments as are actually playing:
750 @example
751 aecho=0.8:0.88:60:0.4
752 @end example
753
754 @item
755 If delay is very short, then it sound like a (metallic) robot playing music:
756 @example
757 aecho=0.8:0.88:6:0.4
758 @end example
759
760 @item
761 A longer delay will sound like an open air concert in the mountains:
762 @example
763 aecho=0.8:0.9:1000:0.3
764 @end example
765
766 @item
767 Same as above but with one more mountain:
768 @example
769 aecho=0.8:0.9:1000|1800:0.3|0.25
770 @end example
771 @end itemize
772
773 @section aemphasis
774 Audio emphasis filter creates or restores material directly taken from LPs or
775 emphased CDs with different filter curves. E.g. to store music on vinyl the
776 signal has to be altered by a filter first to even out the disadvantages of
777 this recording medium.
778 Once the material is played back the inverse filter has to be applied to
779 restore the distortion of the frequency response.
780
781 The filter accepts the following options:
782
783 @table @option
784 @item level_in
785 Set input gain.
786
787 @item level_out
788 Set output gain.
789
790 @item mode
791 Set filter mode. For restoring material use @code{reproduction} mode, otherwise
792 use @code{production} mode. Default is @code{reproduction} mode.
793
794 @item type
795 Set filter type. Selects medium. Can be one of the following:
796
797 @table @option
798 @item col
799 select Columbia.
800 @item emi
801 select EMI.
802 @item bsi
803 select BSI (78RPM).
804 @item riaa
805 select RIAA.
806 @item cd
807 select Compact Disc (CD).
808 @item 50fm
809 select 50µs (FM).
810 @item 75fm
811 select 75µs (FM).
812 @item 50kf
813 select 50µs (FM-KF).
814 @item 75kf
815 select 75µs (FM-KF).
816 @end table
817 @end table
818
819 @section aeval
820
821 Modify an audio signal according to the specified expressions.
822
823 This filter accepts one or more expressions (one for each channel),
824 which are evaluated and used to modify a corresponding audio signal.
825
826 It accepts the following parameters:
827
828 @table @option
829 @item exprs
830 Set the '|'-separated expressions list for each separate channel. If
831 the number of input channels is greater than the number of
832 expressions, the last specified expression is used for the remaining
833 output channels.
834
835 @item channel_layout, c
836 Set output channel layout. If not specified, the channel layout is
837 specified by the number of expressions. If set to @samp{same}, it will
838 use by default the same input channel layout.
839 @end table
840
841 Each expression in @var{exprs} can contain the following constants and functions:
842
843 @table @option
844 @item ch
845 channel number of the current expression
846
847 @item n
848 number of the evaluated sample, starting from 0
849
850 @item s
851 sample rate
852
853 @item t
854 time of the evaluated sample expressed in seconds
855
856 @item nb_in_channels
857 @item nb_out_channels
858 input and output number of channels
859
860 @item val(CH)
861 the value of input channel with number @var{CH}
862 @end table
863
864 Note: this filter is slow. For faster processing you should use a
865 dedicated filter.
866
867 @subsection Examples
868
869 @itemize
870 @item
871 Half volume:
872 @example
873 aeval=val(ch)/2:c=same
874 @end example
875
876 @item
877 Invert phase of the second channel:
878 @example
879 aeval=val(0)|-val(1)
880 @end example
881 @end itemize
882
883 @anchor{afade}
884 @section afade
885
886 Apply fade-in/out effect to input audio.
887
888 A description of the accepted parameters follows.
889
890 @table @option
891 @item type, t
892 Specify the effect type, can be either @code{in} for fade-in, or
893 @code{out} for a fade-out effect. Default is @code{in}.
894
895 @item start_sample, ss
896 Specify the number of the start sample for starting to apply the fade
897 effect. Default is 0.
898
899 @item nb_samples, ns
900 Specify the number of samples for which the fade effect has to last. At
901 the end of the fade-in effect the output audio will have the same
902 volume as the input audio, at the end of the fade-out transition
903 the output audio will be silence. Default is 44100.
904
905 @item start_time, st
906 Specify the start time of the fade effect. Default is 0.
907 The value must be specified as a time duration; see
908 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
909 for the accepted syntax.
910 If set this option is used instead of @var{start_sample}.
911
912 @item duration, d
913 Specify the duration of the fade effect. See
914 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
915 for the accepted syntax.
916 At the end of the fade-in effect the output audio will have the same
917 volume as the input audio, at the end of the fade-out transition
918 the output audio will be silence.
919 By default the duration is determined by @var{nb_samples}.
920 If set this option is used instead of @var{nb_samples}.
921
922 @item curve
923 Set curve for fade transition.
924
925 It accepts the following values:
926 @table @option
927 @item tri
928 select triangular, linear slope (default)
929 @item qsin
930 select quarter of sine wave
931 @item hsin
932 select half of sine wave
933 @item esin
934 select exponential sine wave
935 @item log
936 select logarithmic
937 @item ipar
938 select inverted parabola
939 @item qua
940 select quadratic
941 @item cub
942 select cubic
943 @item squ
944 select square root
945 @item cbr
946 select cubic root
947 @item par
948 select parabola
949 @item exp
950 select exponential
951 @item iqsin
952 select inverted quarter of sine wave
953 @item ihsin
954 select inverted half of sine wave
955 @item dese
956 select double-exponential seat
957 @item desi
958 select double-exponential sigmoid
959 @item losi
960 select logistic sigmoid
961 @item nofade
962 no fade applied
963 @end table
964 @end table
965
966 @subsection Examples
967
968 @itemize
969 @item
970 Fade in first 15 seconds of audio:
971 @example
972 afade=t=in:ss=0:d=15
973 @end example
974
975 @item
976 Fade out last 25 seconds of a 900 seconds audio:
977 @example
978 afade=t=out:st=875:d=25
979 @end example
980 @end itemize
981
982 @section afftdn
983 Denoise audio samples with FFT.
984
985 A description of the accepted parameters follows.
986
987 @table @option
988 @item nr
989 Set the noise reduction in dB, allowed range is 0.01 to 97.
990 Default value is 12 dB.
991
992 @item nf
993 Set the noise floor in dB, allowed range is -80 to -20.
994 Default value is -50 dB.
995
996 @item nt
997 Set the noise type.
998
999 It accepts the following values:
1000 @table @option
1001 @item w
1002 Select white noise.
1003
1004 @item v
1005 Select vinyl noise.
1006
1007 @item s
1008 Select shellac noise.
1009
1010 @item c
1011 Select custom noise, defined in @code{bn} option.
1012
1013 Default value is white noise.
1014 @end table
1015
1016 @item bn
1017 Set custom band noise for every one of 15 bands.
1018 Bands are separated by ' ' or '|'.
1019
1020 @item rf
1021 Set the residual floor in dB, allowed range is -80 to -20.
1022 Default value is -38 dB.
1023
1024 @item tn
1025 Enable noise tracking. By default is disabled.
1026 With this enabled, noise floor is automatically adjusted.
1027
1028 @item tr
1029 Enable residual tracking. By default is disabled.
1030
1031 @item om
1032 Set the output mode.
1033
1034 It accepts the following values:
1035 @table @option
1036 @item i
1037 Pass input unchanged.
1038
1039 @item o
1040 Pass noise filtered out.
1041
1042 @item n
1043 Pass only noise.
1044
1045 Default value is @var{o}.
1046 @end table
1047 @end table
1048
1049 @subsection Commands
1050
1051 This filter supports the following commands:
1052 @table @option
1053 @item sample_noise, sn
1054 Start or stop measuring noise profile.
1055 Syntax for the command is : "start" or "stop" string.
1056 After measuring noise profile is stopped it will be
1057 automatically applied in filtering.
1058
1059 @item noise_reduction, nr
1060 Change noise reduction. Argument is single float number.
1061 Syntax for the command is : "@var{noise_reduction}"
1062
1063 @item noise_floor, nf
1064 Change noise floor. Argument is single float number.
1065 Syntax for the command is : "@var{noise_floor}"
1066
1067 @item output_mode, om
1068 Change output mode operation.
1069 Syntax for the command is : "i", "o" or "n" string.
1070 @end table
1071
1072 @section afftfilt
1073 Apply arbitrary expressions to samples in frequency domain.
1074
1075 @table @option
1076 @item real
1077 Set frequency domain real expression for each separate channel separated
1078 by '|'. Default is "re".
1079 If the number of input channels is greater than the number of
1080 expressions, the last specified expression is used for the remaining
1081 output channels.
1082
1083 @item imag
1084 Set frequency domain imaginary expression for each separate channel
1085 separated by '|'. Default is "im".
1086
1087 Each expression in @var{real} and @var{imag} can contain the following
1088 constants and functions:
1089
1090 @table @option
1091 @item sr
1092 sample rate
1093
1094 @item b
1095 current frequency bin number
1096
1097 @item nb
1098 number of available bins
1099
1100 @item ch
1101 channel number of the current expression
1102
1103 @item chs
1104 number of channels
1105
1106 @item pts
1107 current frame pts
1108
1109 @item re
1110 current real part of frequency bin of current channel
1111
1112 @item im
1113 current imaginary part of frequency bin of current channel
1114
1115 @item real(b, ch)
1116 Return the value of real part of frequency bin at location (@var{bin},@var{channel})
1117
1118 @item imag(b, ch)
1119 Return the value of imaginary part of frequency bin at location (@var{bin},@var{channel})
1120 @end table
1121
1122 @item win_size
1123 Set window size.
1124
1125 It accepts the following values:
1126 @table @samp
1127 @item w16
1128 @item w32
1129 @item w64
1130 @item w128
1131 @item w256
1132 @item w512
1133 @item w1024
1134 @item w2048
1135 @item w4096
1136 @item w8192
1137 @item w16384
1138 @item w32768
1139 @item w65536
1140 @end table
1141 Default is @code{w4096}
1142
1143 @item win_func
1144 Set window function. Default is @code{hann}.
1145
1146 @item overlap
1147 Set window overlap. If set to 1, the recommended overlap for selected
1148 window function will be picked. Default is @code{0.75}.
1149 @end table
1150
1151 @subsection Examples
1152
1153 @itemize
1154 @item
1155 Leave almost only low frequencies in audio:
1156 @example
1157 afftfilt="'real=re * (1-clip((b/nb)*b,0,1))':imag='im * (1-clip((b/nb)*b,0,1))'"
1158 @end example
1159 @end itemize
1160
1161 @anchor{afir}
1162 @section afir
1163
1164 Apply an arbitrary Frequency Impulse Response filter.
1165
1166 This filter is designed for applying long FIR filters,
1167 up to 60 seconds long.
1168
1169 It can be used as component for digital crossover filters,
1170 room equalization, cross talk cancellation, wavefield synthesis,
1171 auralization, ambiophonics, ambisonics and spatialization.
1172
1173 This filter uses second stream as FIR coefficients.
1174 If second stream holds single channel, it will be used
1175 for all input channels in first stream, otherwise
1176 number of channels in second stream must be same as
1177 number of channels in first stream.
1178
1179 It accepts the following parameters:
1180
1181 @table @option
1182 @item dry
1183 Set dry gain. This sets input gain.
1184
1185 @item wet
1186 Set wet gain. This sets final output gain.
1187
1188 @item length
1189 Set Impulse Response filter length. Default is 1, which means whole IR is processed.
1190
1191 @item gtype
1192 Enable applying gain measured from power of IR.
1193
1194 Set which approach to use for auto gain measurement.
1195
1196 @table @option
1197 @item none
1198 Do not apply any gain.
1199
1200 @item peak
1201 select peak gain, very conservative approach. This is default value.
1202
1203 @item dc
1204 select DC gain, limited application.
1205
1206 @item gn
1207 select gain to noise approach, this is most popular one.
1208 @end table
1209
1210 @item irgain
1211 Set gain to be applied to IR coefficients before filtering.
1212 Allowed range is 0 to 1. This gain is applied after any gain applied with @var{gtype} option.
1213
1214 @item irfmt
1215 Set format of IR stream. Can be @code{mono} or @code{input}.
1216 Default is @code{input}.
1217
1218 @item maxir
1219 Set max allowed Impulse Response filter duration in seconds. Default is 30 seconds.
1220 Allowed range is 0.1 to 60 seconds.
1221
1222 @item response
1223 Show IR frequency response, magnitude(magenta), phase(green) and group delay(yellow) in additional video stream.
1224 By default it is disabled.
1225
1226 @item channel
1227 Set for which IR channel to display frequency response. By default is first channel
1228 displayed. This option is used only when @var{response} is enabled.
1229
1230 @item size
1231 Set video stream size. This option is used only when @var{response} is enabled.
1232
1233 @item rate
1234 Set video stream frame rate. This option is used only when @var{response} is enabled.
1235
1236 @item minp
1237 Set minimal partition size used for convolution. Default is @var{8192}.
1238 Allowed range is from @var{8} to @var{32768}.
1239 Lower values decreases latency at cost of higher CPU usage.
1240
1241 @item maxp
1242 Set maximal partition size used for convolution. Default is @var{8192}.
1243 Allowed range is from @var{8} to @var{32768}.
1244 Lower values may increase CPU usage.
1245 @end table
1246
1247 @subsection Examples
1248
1249 @itemize
1250 @item
1251 Apply reverb to stream using mono IR file as second input, complete command using ffmpeg:
1252 @example
1253 ffmpeg -i input.wav -i middle_tunnel_1way_mono.wav -lavfi afir output.wav
1254 @end example
1255 @end itemize
1256
1257 @anchor{aformat}
1258 @section aformat
1259
1260 Set output format constraints for the input audio. The framework will
1261 negotiate the most appropriate format to minimize conversions.
1262
1263 It accepts the following parameters:
1264 @table @option
1265
1266 @item sample_fmts
1267 A '|'-separated list of requested sample formats.
1268
1269 @item sample_rates
1270 A '|'-separated list of requested sample rates.
1271
1272 @item channel_layouts
1273 A '|'-separated list of requested channel layouts.
1274
1275 See @ref{channel layout syntax,,the Channel Layout section in the ffmpeg-utils(1) manual,ffmpeg-utils}
1276 for the required syntax.
1277 @end table
1278
1279 If a parameter is omitted, all values are allowed.
1280
1281 Force the output to either unsigned 8-bit or signed 16-bit stereo
1282 @example
1283 aformat=sample_fmts=u8|s16:channel_layouts=stereo
1284 @end example
1285
1286 @section agate
1287
1288 A gate is mainly used to reduce lower parts of a signal. This kind of signal
1289 processing reduces disturbing noise between useful signals.
1290
1291 Gating is done by detecting the volume below a chosen level @var{threshold}
1292 and dividing it by the factor set with @var{ratio}. The bottom of the noise
1293 floor is set via @var{range}. Because an exact manipulation of the signal
1294 would cause distortion of the waveform the reduction can be levelled over
1295 time. This is done by setting @var{attack} and @var{release}.
1296
1297 @var{attack} determines how long the signal has to fall below the threshold
1298 before any reduction will occur and @var{release} sets the time the signal
1299 has to rise above the threshold to reduce the reduction again.
1300 Shorter signals than the chosen attack time will be left untouched.
1301
1302 @table @option
1303 @item level_in
1304 Set input level before filtering.
1305 Default is 1. Allowed range is from 0.015625 to 64.
1306
1307 @item range
1308 Set the level of gain reduction when the signal is below the threshold.
1309 Default is 0.06125. Allowed range is from 0 to 1.
1310
1311 @item threshold
1312 If a signal rises above this level the gain reduction is released.
1313 Default is 0.125. Allowed range is from 0 to 1.
1314
1315 @item ratio
1316 Set a ratio by which the signal is reduced.
1317 Default is 2. Allowed range is from 1 to 9000.
1318
1319 @item attack
1320 Amount of milliseconds the signal has to rise above the threshold before gain
1321 reduction stops.
1322 Default is 20 milliseconds. Allowed range is from 0.01 to 9000.
1323
1324 @item release
1325 Amount of milliseconds the signal has to fall below the threshold before the
1326 reduction is increased again. Default is 250 milliseconds.
1327 Allowed range is from 0.01 to 9000.
1328
1329 @item makeup
1330 Set amount of amplification of signal after processing.
1331 Default is 1. Allowed range is from 1 to 64.
1332
1333 @item knee
1334 Curve the sharp knee around the threshold to enter gain reduction more softly.
1335 Default is 2.828427125. Allowed range is from 1 to 8.
1336
1337 @item detection
1338 Choose if exact signal should be taken for detection or an RMS like one.
1339 Default is @code{rms}. Can be @code{peak} or @code{rms}.
1340
1341 @item link
1342 Choose if the average level between all channels or the louder channel affects
1343 the reduction.
1344 Default is @code{average}. Can be @code{average} or @code{maximum}.
1345 @end table
1346
1347 @section aiir
1348
1349 Apply an arbitrary Infinite Impulse Response filter.
1350
1351 It accepts the following parameters:
1352
1353 @table @option
1354 @item z
1355 Set numerator/zeros coefficients.
1356
1357 @item p
1358 Set denominator/poles coefficients.
1359
1360 @item k
1361 Set channels gains.
1362
1363 @item dry_gain
1364 Set input gain.
1365
1366 @item wet_gain
1367 Set output gain.
1368
1369 @item f
1370 Set coefficients format.
1371
1372 @table @samp
1373 @item tf
1374 transfer function
1375 @item zp
1376 Z-plane zeros/poles, cartesian (default)
1377 @item pr
1378 Z-plane zeros/poles, polar radians
1379 @item pd
1380 Z-plane zeros/poles, polar degrees
1381 @end table
1382
1383 @item r
1384 Set kind of processing.
1385 Can be @code{d} - direct or @code{s} - serial cascading. Default is @code{s}.
1386
1387 @item e
1388 Set filtering precision.
1389
1390 @table @samp
1391 @item dbl
1392 double-precision floating-point (default)
1393 @item flt
1394 single-precision floating-point
1395 @item i32
1396 32-bit integers
1397 @item i16
1398 16-bit integers
1399 @end table
1400
1401 @item response
1402 Show IR frequency response, magnitude and phase in additional video stream.
1403 By default it is disabled.
1404
1405 @item channel
1406 Set for which IR channel to display frequency response. By default is first channel
1407 displayed. This option is used only when @var{response} is enabled.
1408
1409 @item size
1410 Set video stream size. This option is used only when @var{response} is enabled.
1411 @end table
1412
1413 Coefficients in @code{tf} format are separated by spaces and are in ascending
1414 order.
1415
1416 Coefficients in @code{zp} format are separated by spaces and order of coefficients
1417 doesn't matter. Coefficients in @code{zp} format are complex numbers with @var{i}
1418 imaginary unit.
1419
1420 Different coefficients and gains can be provided for every channel, in such case
1421 use '|' to separate coefficients or gains. Last provided coefficients will be
1422 used for all remaining channels.
1423
1424 @subsection Examples
1425
1426 @itemize
1427 @item
1428 Apply 2 pole elliptic notch at around 5000Hz for 48000 Hz sample rate:
1429 @example
1430 aiir=k=1:z=7.957584807809675810E-1 -2.575128568908332300 3.674839853930788710 -2.57512875289799137 7.957586296317130880E-1:p=1 -2.86950072432325953 3.63022088054647218 -2.28075678147272232 6.361362326477423500E-1:f=tf:r=d
1431 @end example
1432
1433 @item
1434 Same as above but in @code{zp} format:
1435 @example
1436 aiir=k=0.79575848078096756:z=0.80918701+0.58773007i 0.80918701-0.58773007i 0.80884700+0.58784055i 0.80884700-0.58784055i:p=0.63892345+0.59951235i 0.63892345-0.59951235i 0.79582691+0.44198673i 0.79582691-0.44198673i:f=zp:r=s
1437 @end example
1438 @end itemize
1439
1440 @section alimiter
1441
1442 The limiter prevents an input signal from rising over a desired threshold.
1443 This limiter uses lookahead technology to prevent your signal from distorting.
1444 It means that there is a small delay after the signal is processed. Keep in mind
1445 that the delay it produces is the attack time you set.
1446
1447 The filter accepts the following options:
1448
1449 @table @option
1450 @item level_in
1451 Set input gain. Default is 1.
1452
1453 @item level_out
1454 Set output gain. Default is 1.
1455
1456 @item limit
1457 Don't let signals above this level pass the limiter. Default is 1.
1458
1459 @item attack
1460 The limiter will reach its attenuation level in this amount of time in
1461 milliseconds. Default is 5 milliseconds.
1462
1463 @item release
1464 Come back from limiting to attenuation 1.0 in this amount of milliseconds.
1465 Default is 50 milliseconds.
1466
1467 @item asc
1468 When gain reduction is always needed ASC takes care of releasing to an
1469 average reduction level rather than reaching a reduction of 0 in the release
1470 time.
1471
1472 @item asc_level
1473 Select how much the release time is affected by ASC, 0 means nearly no changes
1474 in release time while 1 produces higher release times.
1475
1476 @item level
1477 Auto level output signal. Default is enabled.
1478 This normalizes audio back to 0dB if enabled.
1479 @end table
1480
1481 Depending on picked setting it is recommended to upsample input 2x or 4x times
1482 with @ref{aresample} before applying this filter.
1483
1484 @section allpass
1485
1486 Apply a two-pole all-pass filter with central frequency (in Hz)
1487 @var{frequency}, and filter-width @var{width}.
1488 An all-pass filter changes the audio's frequency to phase relationship
1489 without changing its frequency to amplitude relationship.
1490
1491 The filter accepts the following options:
1492
1493 @table @option
1494 @item frequency, f
1495 Set frequency in Hz.
1496
1497 @item width_type, t
1498 Set method to specify band-width of filter.
1499 @table @option
1500 @item h
1501 Hz
1502 @item q
1503 Q-Factor
1504 @item o
1505 octave
1506 @item s
1507 slope
1508 @item k
1509 kHz
1510 @end table
1511
1512 @item width, w
1513 Specify the band-width of a filter in width_type units.
1514
1515 @item channels, c
1516 Specify which channels to filter, by default all available are filtered.
1517 @end table
1518
1519 @subsection Commands
1520
1521 This filter supports the following commands:
1522 @table @option
1523 @item frequency, f
1524 Change allpass frequency.
1525 Syntax for the command is : "@var{frequency}"
1526
1527 @item width_type, t
1528 Change allpass width_type.
1529 Syntax for the command is : "@var{width_type}"
1530
1531 @item width, w
1532 Change allpass width.
1533 Syntax for the command is : "@var{width}"
1534 @end table
1535
1536 @section aloop
1537
1538 Loop audio samples.
1539
1540 The filter accepts the following options:
1541
1542 @table @option
1543 @item loop
1544 Set the number of loops. Setting this value to -1 will result in infinite loops.
1545 Default is 0.
1546
1547 @item size
1548 Set maximal number of samples. Default is 0.
1549
1550 @item start
1551 Set first sample of loop. Default is 0.
1552 @end table
1553
1554 @anchor{amerge}
1555 @section amerge
1556
1557 Merge two or more audio streams into a single multi-channel stream.
1558
1559 The filter accepts the following options:
1560
1561 @table @option
1562
1563 @item inputs
1564 Set the number of inputs. Default is 2.
1565
1566 @end table
1567
1568 If the channel layouts of the inputs are disjoint, and therefore compatible,
1569 the channel layout of the output will be set accordingly and the channels
1570 will be reordered as necessary. If the channel layouts of the inputs are not
1571 disjoint, the output will have all the channels of the first input then all
1572 the channels of the second input, in that order, and the channel layout of
1573 the output will be the default value corresponding to the total number of
1574 channels.
1575
1576 For example, if the first input is in 2.1 (FL+FR+LF) and the second input
1577 is FC+BL+BR, then the output will be in 5.1, with the channels in the
1578 following order: a1, a2, b1, a3, b2, b3 (a1 is the first channel of the
1579 first input, b1 is the first channel of the second input).
1580
1581 On the other hand, if both input are in stereo, the output channels will be
1582 in the default order: a1, a2, b1, b2, and the channel layout will be
1583 arbitrarily set to 4.0, which may or may not be the expected value.
1584
1585 All inputs must have the same sample rate, and format.
1586
1587 If inputs do not have the same duration, the output will stop with the
1588 shortest.
1589
1590 @subsection Examples
1591
1592 @itemize
1593 @item
1594 Merge two mono files into a stereo stream:
1595 @example
1596 amovie=left.wav [l] ; amovie=right.mp3 [r] ; [l] [r] amerge
1597 @end example
1598
1599 @item
1600 Multiple merges assuming 1 video stream and 6 audio streams in @file{input.mkv}:
1601 @example
1602 ffmpeg -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
1603 @end example
1604 @end itemize
1605
1606 @section amix
1607
1608 Mixes multiple audio inputs into a single output.
1609
1610 Note that this filter only supports float samples (the @var{amerge}
1611 and @var{pan} audio filters support many formats). If the @var{amix}
1612 input has integer samples then @ref{aresample} will be automatically
1613 inserted to perform the conversion to float samples.
1614
1615 For example
1616 @example
1617 ffmpeg -i INPUT1 -i INPUT2 -i INPUT3 -filter_complex amix=inputs=3:duration=first:dropout_transition=3 OUTPUT
1618 @end example
1619 will mix 3 input audio streams to a single output with the same duration as the
1620 first input and a dropout transition time of 3 seconds.
1621
1622 It accepts the following parameters:
1623 @table @option
1624
1625 @item inputs
1626 The number of inputs. If unspecified, it defaults to 2.
1627
1628 @item duration
1629 How to determine the end-of-stream.
1630 @table @option
1631
1632 @item longest
1633 The duration of the longest input. (default)
1634
1635 @item shortest
1636 The duration of the shortest input.
1637
1638 @item first
1639 The duration of the first input.
1640
1641 @end table
1642
1643 @item dropout_transition
1644 The transition time, in seconds, for volume renormalization when an input
1645 stream ends. The default value is 2 seconds.
1646
1647 @item weights
1648 Specify weight of each input audio stream as sequence.
1649 Each weight is separated by space. By default all inputs have same weight.
1650 @end table
1651
1652 @section amultiply
1653
1654 Multiply first audio stream with second audio stream and store result
1655 in output audio stream. Multiplication is done by multiplying each
1656 sample from first stream with sample at same position from second stream.
1657
1658 With this element-wise multiplication one can create amplitude fades and
1659 amplitude modulations.
1660
1661 @section anequalizer
1662
1663 High-order parametric multiband equalizer for each channel.
1664
1665 It accepts the following parameters:
1666 @table @option
1667 @item params
1668
1669 This option string is in format:
1670 "c@var{chn} f=@var{cf} w=@var{w} g=@var{g} t=@var{f} | ..."
1671 Each equalizer band is separated by '|'.
1672
1673 @table @option
1674 @item chn
1675 Set channel number to which equalization will be applied.
1676 If input doesn't have that channel the entry is ignored.
1677
1678 @item f
1679 Set central frequency for band.
1680 If input doesn't have that frequency the entry is ignored.
1681
1682 @item w
1683 Set band width in hertz.
1684
1685 @item g
1686 Set band gain in dB.
1687
1688 @item t
1689 Set filter type for band, optional, can be:
1690
1691 @table @samp
1692 @item 0
1693 Butterworth, this is default.
1694
1695 @item 1
1696 Chebyshev type 1.
1697
1698 @item 2
1699 Chebyshev type 2.
1700 @end table
1701 @end table
1702
1703 @item curves
1704 With this option activated frequency response of anequalizer is displayed
1705 in video stream.
1706
1707 @item size
1708 Set video stream size. Only useful if curves option is activated.
1709
1710 @item mgain
1711 Set max gain that will be displayed. Only useful if curves option is activated.
1712 Setting this to a reasonable value makes it possible to display gain which is derived from
1713 neighbour bands which are too close to each other and thus produce higher gain
1714 when both are activated.
1715
1716 @item fscale
1717 Set frequency scale used to draw frequency response in video output.
1718 Can be linear or logarithmic. Default is logarithmic.
1719
1720 @item colors
1721 Set color for each channel curve which is going to be displayed in video stream.
1722 This is list of color names separated by space or by '|'.
1723 Unrecognised or missing colors will be replaced by white color.
1724 @end table
1725
1726 @subsection Examples
1727
1728 @itemize
1729 @item
1730 Lower gain by 10 of central frequency 200Hz and width 100 Hz
1731 for first 2 channels using Chebyshev type 1 filter:
1732 @example
1733 anequalizer=c0 f=200 w=100 g=-10 t=1|c1 f=200 w=100 g=-10 t=1
1734 @end example
1735 @end itemize
1736
1737 @subsection Commands
1738
1739 This filter supports the following commands:
1740 @table @option
1741 @item change
1742 Alter existing filter parameters.
1743 Syntax for the commands is : "@var{fN}|f=@var{freq}|w=@var{width}|g=@var{gain}"
1744
1745 @var{fN} is existing filter number, starting from 0, if no such filter is available
1746 error is returned.
1747 @var{freq} set new frequency parameter.
1748 @var{width} set new width parameter in herz.
1749 @var{gain} set new gain parameter in dB.
1750
1751 Full filter invocation with asendcmd may look like this:
1752 asendcmd=c='4.0 anequalizer change 0|f=200|w=50|g=1',anequalizer=...
1753 @end table
1754
1755 @section anlmdn
1756
1757 Reduce broadband noise in audio samples using Non-Local Means algorithm.
1758
1759 Each sample is adjusted by looking for other samples with similar contexts. This
1760 context similarity is defined by comparing their surrounding patches of size
1761 @option{p}. Patches are searched in an area of @option{r} around the sample.
1762
1763 The filter accepts the following options.
1764
1765 @table @option
1766 @item s
1767 Set denoising strength. Allowed range is from 0.00001 to 10. Default value is 0.00001.
1768
1769 @item p
1770 Set patch radius duration. Allowed range is from 1 to 100 milliseconds.
1771 Default value is 2 milliseconds.
1772
1773 @item r
1774 Set research radius duration. Allowed range is from 2 to 300 milliseconds.
1775 Default value is 6 milliseconds.
1776
1777 @item o
1778 Set the output mode.
1779
1780 It accepts the following values:
1781 @table @option
1782 @item i
1783 Pass input unchanged.
1784
1785 @item o
1786 Pass noise filtered out.
1787
1788 @item n
1789 Pass only noise.
1790
1791 Default value is @var{o}.
1792 @end table
1793 @end table
1794
1795 @section anull
1796
1797 Pass the audio source unchanged to the output.
1798
1799 @section apad
1800
1801 Pad the end of an audio stream with silence.
1802
1803 This can be used together with @command{ffmpeg} @option{-shortest} to
1804 extend audio streams to the same length as the video stream.
1805
1806 A description of the accepted options follows.
1807
1808 @table @option
1809 @item packet_size
1810 Set silence packet size. Default value is 4096.
1811
1812 @item pad_len
1813 Set the number of samples of silence to add to the end. After the
1814 value is reached, the stream is terminated. This option is mutually
1815 exclusive with @option{whole_len}.
1816
1817 @item whole_len
1818 Set the minimum total number of samples in the output audio stream. If
1819 the value is longer than the input audio length, silence is added to
1820 the end, until the value is reached. This option is mutually exclusive
1821 with @option{pad_len}.
1822
1823 @item pad_dur
1824 Specify the duration of samples of silence to add. See
1825 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
1826 for the accepted syntax. Used only if set to non-zero value.
1827
1828 @item whole_dur
1829 Specify the minimum total duration in the output audio stream. See
1830 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
1831 for the accepted syntax. Used only if set to non-zero value. If the value is longer than
1832 the input audio length, silence is added to the end, until the value is reached.
1833 This option is mutually exclusive with @option{pad_dur}
1834 @end table
1835
1836 If neither the @option{pad_len} nor the @option{whole_len} nor @option{pad_dur}
1837 nor @option{whole_dur} option is set, the filter will add silence to the end of
1838 the input stream indefinitely.
1839
1840 @subsection Examples
1841
1842 @itemize
1843 @item
1844 Add 1024 samples of silence to the end of the input:
1845 @example
1846 apad=pad_len=1024
1847 @end example
1848
1849 @item
1850 Make sure the audio output will contain at least 10000 samples, pad
1851 the input with silence if required:
1852 @example
1853 apad=whole_len=10000
1854 @end example
1855
1856 @item
1857 Use @command{ffmpeg} to pad the audio input with silence, so that the
1858 video stream will always result the shortest and will be converted
1859 until the end in the output file when using the @option{shortest}
1860 option:
1861 @example
1862 ffmpeg -i VIDEO -i AUDIO -filter_complex "[1:0]apad" -shortest OUTPUT
1863 @end example
1864 @end itemize
1865
1866 @section aphaser
1867 Add a phasing effect to the input audio.
1868
1869 A phaser filter creates series of peaks and troughs in the frequency spectrum.
1870 The position of the peaks and troughs are modulated so that they vary over time, creating a sweeping effect.
1871
1872 A description of the accepted parameters follows.
1873
1874 @table @option
1875 @item in_gain
1876 Set input gain. Default is 0.4.
1877
1878 @item out_gain
1879 Set output gain. Default is 0.74
1880
1881 @item delay
1882 Set delay in milliseconds. Default is 3.0.
1883
1884 @item decay
1885 Set decay. Default is 0.4.
1886
1887 @item speed
1888 Set modulation speed in Hz. Default is 0.5.
1889
1890 @item type
1891 Set modulation type. Default is triangular.
1892
1893 It accepts the following values:
1894 @table @samp
1895 @item triangular, t
1896 @item sinusoidal, s
1897 @end table
1898 @end table
1899
1900 @section apulsator
1901
1902 Audio pulsator is something between an autopanner and a tremolo.
1903 But it can produce funny stereo effects as well. Pulsator changes the volume
1904 of the left and right channel based on a LFO (low frequency oscillator) with
1905 different waveforms and shifted phases.
1906 This filter have the ability to define an offset between left and right
1907 channel. An offset of 0 means that both LFO shapes match each other.
1908 The left and right channel are altered equally - a conventional tremolo.
1909 An offset of 50% means that the shape of the right channel is exactly shifted
1910 in phase (or moved backwards about half of the frequency) - pulsator acts as
1911 an autopanner. At 1 both curves match again. Every setting in between moves the
1912 phase shift gapless between all stages and produces some "bypassing" sounds with
1913 sine and triangle waveforms. The more you set the offset near 1 (starting from
1914 the 0.5) the faster the signal passes from the left to the right speaker.
1915
1916 The filter accepts the following options:
1917
1918 @table @option
1919 @item level_in
1920 Set input gain. By default it is 1. Range is [0.015625 - 64].
1921
1922 @item level_out
1923 Set output gain. By default it is 1. Range is [0.015625 - 64].
1924
1925 @item mode
1926 Set waveform shape the LFO will use. Can be one of: sine, triangle, square,
1927 sawup or sawdown. Default is sine.
1928
1929 @item amount
1930 Set modulation. Define how much of original signal is affected by the LFO.
1931
1932 @item offset_l
1933 Set left channel offset. Default is 0. Allowed range is [0 - 1].
1934
1935 @item offset_r
1936 Set right channel offset. Default is 0.5. Allowed range is [0 - 1].
1937
1938 @item width
1939 Set pulse width. Default is 1. Allowed range is [0 - 2].
1940
1941 @item timing
1942 Set possible timing mode. Can be one of: bpm, ms or hz. Default is hz.
1943
1944 @item bpm
1945 Set bpm. Default is 120. Allowed range is [30 - 300]. Only used if timing
1946 is set to bpm.
1947
1948 @item ms
1949 Set ms. Default is 500. Allowed range is [10 - 2000]. Only used if timing
1950 is set to ms.
1951
1952 @item hz
1953 Set frequency in Hz. Default is 2. Allowed range is [0.01 - 100]. Only used
1954 if timing is set to hz.
1955 @end table
1956
1957 @anchor{aresample}
1958 @section aresample
1959
1960 Resample the input audio to the specified parameters, using the
1961 libswresample library. If none are specified then the filter will
1962 automatically convert between its input and output.
1963
1964 This filter is also able to stretch/squeeze the audio data to make it match
1965 the timestamps or to inject silence / cut out audio to make it match the
1966 timestamps, do a combination of both or do neither.
1967
1968 The filter accepts the syntax
1969 [@var{sample_rate}:]@var{resampler_options}, where @var{sample_rate}
1970 expresses a sample rate and @var{resampler_options} is a list of
1971 @var{key}=@var{value} pairs, separated by ":". See the
1972 @ref{Resampler Options,,"Resampler Options" section in the
1973 ffmpeg-resampler(1) manual,ffmpeg-resampler}
1974 for the complete list of supported options.
1975
1976 @subsection Examples
1977
1978 @itemize
1979 @item
1980 Resample the input audio to 44100Hz:
1981 @example
1982 aresample=44100
1983 @end example
1984
1985 @item
1986 Stretch/squeeze samples to the given timestamps, with a maximum of 1000
1987 samples per second compensation:
1988 @example
1989 aresample=async=1000
1990 @end example
1991 @end itemize
1992
1993 @section areverse
1994
1995 Reverse an audio clip.
1996
1997 Warning: This filter requires memory to buffer the entire clip, so trimming
1998 is suggested.
1999
2000 @subsection Examples
2001
2002 @itemize
2003 @item
2004 Take the first 5 seconds of a clip, and reverse it.
2005 @example
2006 atrim=end=5,areverse
2007 @end example
2008 @end itemize
2009
2010 @section asetnsamples
2011
2012 Set the number of samples per each output audio frame.
2013
2014 The last output packet may contain a different number of samples, as
2015 the filter will flush all the remaining samples when the input audio
2016 signals its end.
2017
2018 The filter accepts the following options:
2019
2020 @table @option
2021
2022 @item nb_out_samples, n
2023 Set the number of frames per each output audio frame. The number is
2024 intended as the number of samples @emph{per each channel}.
2025 Default value is 1024.
2026
2027 @item pad, p
2028 If set to 1, the filter will pad the last audio frame with zeroes, so
2029 that the last frame will contain the same number of samples as the
2030 previous ones. Default value is 1.
2031 @end table
2032
2033 For example, to set the number of per-frame samples to 1234 and
2034 disable padding for the last frame, use:
2035 @example
2036 asetnsamples=n=1234:p=0
2037 @end example
2038
2039 @section asetrate
2040
2041 Set the sample rate without altering the PCM data.
2042 This will result in a change of speed and pitch.
2043
2044 The filter accepts the following options:
2045
2046 @table @option
2047 @item sample_rate, r
2048 Set the output sample rate. Default is 44100 Hz.
2049 @end table
2050
2051 @section ashowinfo
2052
2053 Show a line containing various information for each input audio frame.
2054 The input audio is not modified.
2055
2056 The shown line contains a sequence of key/value pairs of the form
2057 @var{key}:@var{value}.
2058
2059 The following values are shown in the output:
2060
2061 @table @option
2062 @item n
2063 The (sequential) number of the input frame, starting from 0.
2064
2065 @item pts
2066 The presentation timestamp of the input frame, in time base units; the time base
2067 depends on the filter input pad, and is usually 1/@var{sample_rate}.
2068
2069 @item pts_time
2070 The presentation timestamp of the input frame in seconds.
2071
2072 @item pos
2073 position of the frame in the input stream, -1 if this information in
2074 unavailable and/or meaningless (for example in case of synthetic audio)
2075
2076 @item fmt
2077 The sample format.
2078
2079 @item chlayout
2080 The channel layout.
2081
2082 @item rate
2083 The sample rate for the audio frame.
2084
2085 @item nb_samples
2086 The number of samples (per channel) in the frame.
2087
2088 @item checksum
2089 The Adler-32 checksum (printed in hexadecimal) of the audio data. For planar
2090 audio, the data is treated as if all the planes were concatenated.
2091
2092 @item plane_checksums
2093 A list of Adler-32 checksums for each data plane.
2094 @end table
2095
2096 @anchor{astats}
2097 @section astats
2098
2099 Display time domain statistical information about the audio channels.
2100 Statistics are calculated and displayed for each audio channel and,
2101 where applicable, an overall figure is also given.
2102
2103 It accepts the following option:
2104 @table @option
2105 @item length
2106 Short window length in seconds, used for peak and trough RMS measurement.
2107 Default is @code{0.05} (50 milliseconds). Allowed range is @code{[0.01 - 10]}.
2108
2109 @item metadata
2110
2111 Set metadata injection. All the metadata keys are prefixed with @code{lavfi.astats.X},
2112 where @code{X} is channel number starting from 1 or string @code{Overall}. Default is
2113 disabled.
2114
2115 Available keys for each channel are:
2116 DC_offset
2117 Min_level
2118 Max_level
2119 Min_difference
2120 Max_difference
2121 Mean_difference
2122 RMS_difference
2123 Peak_level
2124 RMS_peak
2125 RMS_trough
2126 Crest_factor
2127 Flat_factor
2128 Peak_count
2129 Bit_depth
2130 Dynamic_range
2131 Zero_crossings
2132 Zero_crossings_rate
2133
2134 and for Overall:
2135 DC_offset
2136 Min_level
2137 Max_level
2138 Min_difference
2139 Max_difference
2140 Mean_difference
2141 RMS_difference
2142 Peak_level
2143 RMS_level
2144 RMS_peak
2145 RMS_trough
2146 Flat_factor
2147 Peak_count
2148 Bit_depth
2149 Number_of_samples
2150
2151 For example full key look like this @code{lavfi.astats.1.DC_offset} or
2152 this @code{lavfi.astats.Overall.Peak_count}.
2153
2154 For description what each key means read below.
2155
2156 @item reset
2157 Set number of frame after which stats are going to be recalculated.
2158 Default is disabled.
2159 @end table
2160
2161 A description of each shown parameter follows:
2162
2163 @table @option
2164 @item DC offset
2165 Mean amplitude displacement from zero.
2166
2167 @item Min level
2168 Minimal sample level.
2169
2170 @item Max level
2171 Maximal sample level.
2172
2173 @item Min difference
2174 Minimal difference between two consecutive samples.
2175
2176 @item Max difference
2177 Maximal difference between two consecutive samples.
2178
2179 @item Mean difference
2180 Mean difference between two consecutive samples.
2181 The average of each difference between two consecutive samples.
2182
2183 @item RMS difference
2184 Root Mean Square difference between two consecutive samples.
2185
2186 @item Peak level dB
2187 @item RMS level dB
2188 Standard peak and RMS level measured in dBFS.
2189
2190 @item RMS peak dB
2191 @item RMS trough dB
2192 Peak and trough values for RMS level measured over a short window.
2193
2194 @item Crest factor
2195 Standard ratio of peak to RMS level (note: not in dB).
2196
2197 @item Flat factor
2198 Flatness (i.e. consecutive samples with the same value) of the signal at its peak levels
2199 (i.e. either @var{Min level} or @var{Max level}).
2200
2201 @item Peak count
2202 Number of occasions (not the number of samples) that the signal attained either
2203 @var{Min level} or @var{Max level}.
2204
2205 @item Bit depth
2206 Overall bit depth of audio. Number of bits used for each sample.
2207
2208 @item Dynamic range
2209 Measured dynamic range of audio in dB.
2210
2211 @item Zero crossings
2212 Number of points where the waveform crosses the zero level axis.
2213
2214 @item Zero crossings rate
2215 Rate of Zero crossings and number of audio samples.
2216 @end table
2217
2218 @section atempo
2219
2220 Adjust audio tempo.
2221
2222 The filter accepts exactly one parameter, the audio tempo. If not
2223 specified then the filter will assume nominal 1.0 tempo. Tempo must
2224 be in the [0.5, 100.0] range.
2225
2226 Note that tempo greater than 2 will skip some samples rather than
2227 blend them in.  If for any reason this is a concern it is always
2228 possible to daisy-chain several instances of atempo to achieve the
2229 desired product tempo.
2230
2231 @subsection Examples
2232
2233 @itemize
2234 @item
2235 Slow down audio to 80% tempo:
2236 @example
2237 atempo=0.8
2238 @end example
2239
2240 @item
2241 To speed up audio to 300% tempo:
2242 @example
2243 atempo=3
2244 @end example
2245
2246 @item
2247 To speed up audio to 300% tempo by daisy-chaining two atempo instances:
2248 @example
2249 atempo=sqrt(3),atempo=sqrt(3)
2250 @end example
2251 @end itemize
2252
2253 @section atrim
2254
2255 Trim the input so that the output contains one continuous subpart of the input.
2256
2257 It accepts the following parameters:
2258 @table @option
2259 @item start
2260 Timestamp (in seconds) of the start of the section to keep. I.e. the audio
2261 sample with the timestamp @var{start} will be the first sample in the output.
2262
2263 @item end
2264 Specify time of the first audio sample that will be dropped, i.e. the
2265 audio sample immediately preceding the one with the timestamp @var{end} will be
2266 the last sample in the output.
2267
2268 @item start_pts
2269 Same as @var{start}, except this option sets the start timestamp in samples
2270 instead of seconds.
2271
2272 @item end_pts
2273 Same as @var{end}, except this option sets the end timestamp in samples instead
2274 of seconds.
2275
2276 @item duration
2277 The maximum duration of the output in seconds.
2278
2279 @item start_sample
2280 The number of the first sample that should be output.
2281
2282 @item end_sample
2283 The number of the first sample that should be dropped.
2284 @end table
2285
2286 @option{start}, @option{end}, and @option{duration} are expressed as time
2287 duration specifications; see
2288 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}.
2289
2290 Note that the first two sets of the start/end options and the @option{duration}
2291 option look at the frame timestamp, while the _sample options simply count the
2292 samples that pass through the filter. So start/end_pts and start/end_sample will
2293 give different results when the timestamps are wrong, inexact or do not start at
2294 zero. Also note that this filter does not modify the timestamps. If you wish
2295 to have the output timestamps start at zero, insert the asetpts filter after the
2296 atrim filter.
2297
2298 If multiple start or end options are set, this filter tries to be greedy and
2299 keep all samples that match at least one of the specified constraints. To keep
2300 only the part that matches all the constraints at once, chain multiple atrim
2301 filters.
2302
2303 The defaults are such that all the input is kept. So it is possible to set e.g.
2304 just the end values to keep everything before the specified time.
2305
2306 Examples:
2307 @itemize
2308 @item
2309 Drop everything except the second minute of input:
2310 @example
2311 ffmpeg -i INPUT -af atrim=60:120
2312 @end example
2313
2314 @item
2315 Keep only the first 1000 samples:
2316 @example
2317 ffmpeg -i INPUT -af atrim=end_sample=1000
2318 @end example
2319
2320 @end itemize
2321
2322 @section bandpass
2323
2324 Apply a two-pole Butterworth band-pass filter with central
2325 frequency @var{frequency}, and (3dB-point) band-width width.
2326 The @var{csg} option selects a constant skirt gain (peak gain = Q)
2327 instead of the default: constant 0dB peak gain.
2328 The filter roll off at 6dB per octave (20dB per decade).
2329
2330 The filter accepts the following options:
2331
2332 @table @option
2333 @item frequency, f
2334 Set the filter's central frequency. Default is @code{3000}.
2335
2336 @item csg
2337 Constant skirt gain if set to 1. Defaults to 0.
2338
2339 @item width_type, t
2340 Set method to specify band-width of filter.
2341 @table @option
2342 @item h
2343 Hz
2344 @item q
2345 Q-Factor
2346 @item o
2347 octave
2348 @item s
2349 slope
2350 @item k
2351 kHz
2352 @end table
2353
2354 @item width, w
2355 Specify the band-width of a filter in width_type units.
2356
2357 @item channels, c
2358 Specify which channels to filter, by default all available are filtered.
2359 @end table
2360
2361 @subsection Commands
2362
2363 This filter supports the following commands:
2364 @table @option
2365 @item frequency, f
2366 Change bandpass frequency.
2367 Syntax for the command is : "@var{frequency}"
2368
2369 @item width_type, t
2370 Change bandpass width_type.
2371 Syntax for the command is : "@var{width_type}"
2372
2373 @item width, w
2374 Change bandpass width.
2375 Syntax for the command is : "@var{width}"
2376 @end table
2377
2378 @section bandreject
2379
2380 Apply a two-pole Butterworth band-reject filter with central
2381 frequency @var{frequency}, and (3dB-point) band-width @var{width}.
2382 The filter roll off at 6dB per octave (20dB per decade).
2383
2384 The filter accepts the following options:
2385
2386 @table @option
2387 @item frequency, f
2388 Set the filter's central frequency. Default is @code{3000}.
2389
2390 @item width_type, t
2391 Set method to specify band-width of filter.
2392 @table @option
2393 @item h
2394 Hz
2395 @item q
2396 Q-Factor
2397 @item o
2398 octave
2399 @item s
2400 slope
2401 @item k
2402 kHz
2403 @end table
2404
2405 @item width, w
2406 Specify the band-width of a filter in width_type units.
2407
2408 @item channels, c
2409 Specify which channels to filter, by default all available are filtered.
2410 @end table
2411
2412 @subsection Commands
2413
2414 This filter supports the following commands:
2415 @table @option
2416 @item frequency, f
2417 Change bandreject frequency.
2418 Syntax for the command is : "@var{frequency}"
2419
2420 @item width_type, t
2421 Change bandreject width_type.
2422 Syntax for the command is : "@var{width_type}"
2423
2424 @item width, w
2425 Change bandreject width.
2426 Syntax for the command is : "@var{width}"
2427 @end table
2428
2429 @section bass, lowshelf
2430
2431 Boost or cut the bass (lower) frequencies of the audio using a two-pole
2432 shelving filter with a response similar to that of a standard
2433 hi-fi's tone-controls. This is also known as shelving equalisation (EQ).
2434
2435 The filter accepts the following options:
2436
2437 @table @option
2438 @item gain, g
2439 Give the gain at 0 Hz. Its useful range is about -20
2440 (for a large cut) to +20 (for a large boost).
2441 Beware of clipping when using a positive gain.
2442
2443 @item frequency, f
2444 Set the filter's central frequency and so can be used
2445 to extend or reduce the frequency range to be boosted or cut.
2446 The default value is @code{100} Hz.
2447
2448 @item width_type, t
2449 Set method to specify band-width of filter.
2450 @table @option
2451 @item h
2452 Hz
2453 @item q
2454 Q-Factor
2455 @item o
2456 octave
2457 @item s
2458 slope
2459 @item k
2460 kHz
2461 @end table
2462
2463 @item width, w
2464 Determine how steep is the filter's shelf transition.
2465
2466 @item channels, c
2467 Specify which channels to filter, by default all available are filtered.
2468 @end table
2469
2470 @subsection Commands
2471
2472 This filter supports the following commands:
2473 @table @option
2474 @item frequency, f
2475 Change bass frequency.
2476 Syntax for the command is : "@var{frequency}"
2477
2478 @item width_type, t
2479 Change bass width_type.
2480 Syntax for the command is : "@var{width_type}"
2481
2482 @item width, w
2483 Change bass width.
2484 Syntax for the command is : "@var{width}"
2485
2486 @item gain, g
2487 Change bass gain.
2488 Syntax for the command is : "@var{gain}"
2489 @end table
2490
2491 @section biquad
2492
2493 Apply a biquad IIR filter with the given coefficients.
2494 Where @var{b0}, @var{b1}, @var{b2} and @var{a0}, @var{a1}, @var{a2}
2495 are the numerator and denominator coefficients respectively.
2496 and @var{channels}, @var{c} specify which channels to filter, by default all
2497 available are filtered.
2498
2499 @subsection Commands
2500
2501 This filter supports the following commands:
2502 @table @option
2503 @item a0
2504 @item a1
2505 @item a2
2506 @item b0
2507 @item b1
2508 @item b2
2509 Change biquad parameter.
2510 Syntax for the command is : "@var{value}"
2511 @end table
2512
2513 @section bs2b
2514 Bauer stereo to binaural transformation, which improves headphone listening of
2515 stereo audio records.
2516
2517 To enable compilation of this filter you need to configure FFmpeg with
2518 @code{--enable-libbs2b}.
2519
2520 It accepts the following parameters:
2521 @table @option
2522
2523 @item profile
2524 Pre-defined crossfeed level.
2525 @table @option
2526
2527 @item default
2528 Default level (fcut=700, feed=50).
2529
2530 @item cmoy
2531 Chu Moy circuit (fcut=700, feed=60).
2532
2533 @item jmeier
2534 Jan Meier circuit (fcut=650, feed=95).
2535
2536 @end table
2537
2538 @item fcut
2539 Cut frequency (in Hz).
2540
2541 @item feed
2542 Feed level (in Hz).
2543
2544 @end table
2545
2546 @section channelmap
2547
2548 Remap input channels to new locations.
2549
2550 It accepts the following parameters:
2551 @table @option
2552 @item map
2553 Map channels from input to output. The argument is a '|'-separated list of
2554 mappings, each in the @code{@var{in_channel}-@var{out_channel}} or
2555 @var{in_channel} form. @var{in_channel} can be either the name of the input
2556 channel (e.g. FL for front left) or its index in the input channel layout.
2557 @var{out_channel} is the name of the output channel or its index in the output
2558 channel layout. If @var{out_channel} is not given then it is implicitly an
2559 index, starting with zero and increasing by one for each mapping.
2560
2561 @item channel_layout
2562 The channel layout of the output stream.
2563 @end table
2564
2565 If no mapping is present, the filter will implicitly map input channels to
2566 output channels, preserving indices.
2567
2568 @subsection Examples
2569
2570 @itemize
2571 @item
2572 For example, assuming a 5.1+downmix input MOV file,
2573 @example
2574 ffmpeg -i in.mov -filter 'channelmap=map=DL-FL|DR-FR' out.wav
2575 @end example
2576 will create an output WAV file tagged as stereo from the downmix channels of
2577 the input.
2578
2579 @item
2580 To fix a 5.1 WAV improperly encoded in AAC's native channel order
2581 @example
2582 ffmpeg -i in.wav -filter 'channelmap=1|2|0|5|3|4:5.1' out.wav
2583 @end example
2584 @end itemize
2585
2586 @section channelsplit
2587
2588 Split each channel from an input audio stream into a separate output stream.
2589
2590 It accepts the following parameters:
2591 @table @option
2592 @item channel_layout
2593 The channel layout of the input stream. The default is "stereo".
2594 @item channels
2595 A channel layout describing the channels to be extracted as separate output streams
2596 or "all" to extract each input channel as a separate stream. The default is "all".
2597
2598 Choosing channels not present in channel layout in the input will result in an error.
2599 @end table
2600
2601 @subsection Examples
2602
2603 @itemize
2604 @item
2605 For example, assuming a stereo input MP3 file,
2606 @example
2607 ffmpeg -i in.mp3 -filter_complex channelsplit out.mkv
2608 @end example
2609 will create an output Matroska file with two audio streams, one containing only
2610 the left channel and the other the right channel.
2611
2612 @item
2613 Split a 5.1 WAV file into per-channel files:
2614 @example
2615 ffmpeg -i in.wav -filter_complex
2616 'channelsplit=channel_layout=5.1[FL][FR][FC][LFE][SL][SR]'
2617 -map '[FL]' front_left.wav -map '[FR]' front_right.wav -map '[FC]'
2618 front_center.wav -map '[LFE]' lfe.wav -map '[SL]' side_left.wav -map '[SR]'
2619 side_right.wav
2620 @end example
2621
2622 @item
2623 Extract only LFE from a 5.1 WAV file:
2624 @example
2625 ffmpeg -i in.wav -filter_complex 'channelsplit=channel_layout=5.1:channels=LFE[LFE]'
2626 -map '[LFE]' lfe.wav
2627 @end example
2628 @end itemize
2629
2630 @section chorus
2631 Add a chorus effect to the audio.
2632
2633 Can make a single vocal sound like a chorus, but can also be applied to instrumentation.
2634
2635 Chorus resembles an echo effect with a short delay, but whereas with echo the delay is
2636 constant, with chorus, it is varied using using sinusoidal or triangular modulation.
2637 The modulation depth defines the range the modulated delay is played before or after
2638 the delay. Hence the delayed sound will sound slower or faster, that is the delayed
2639 sound tuned around the original one, like in a chorus where some vocals are slightly
2640 off key.
2641
2642 It accepts the following parameters:
2643 @table @option
2644 @item in_gain
2645 Set input gain. Default is 0.4.
2646
2647 @item out_gain
2648 Set output gain. Default is 0.4.
2649
2650 @item delays
2651 Set delays. A typical delay is around 40ms to 60ms.
2652
2653 @item decays
2654 Set decays.
2655
2656 @item speeds
2657 Set speeds.
2658
2659 @item depths
2660 Set depths.
2661 @end table
2662
2663 @subsection Examples
2664
2665 @itemize
2666 @item
2667 A single delay:
2668 @example
2669 chorus=0.7:0.9:55:0.4:0.25:2
2670 @end example
2671
2672 @item
2673 Two delays:
2674 @example
2675 chorus=0.6:0.9:50|60:0.4|0.32:0.25|0.4:2|1.3
2676 @end example
2677
2678 @item
2679 Fuller sounding chorus with three delays:
2680 @example
2681 chorus=0.5:0.9:50|60|40:0.4|0.32|0.3:0.25|0.4|0.3:2|2.3|1.3
2682 @end example
2683 @end itemize
2684
2685 @section compand
2686 Compress or expand the audio's dynamic range.
2687
2688 It accepts the following parameters:
2689
2690 @table @option
2691
2692 @item attacks
2693 @item decays
2694 A list of times in seconds for each channel over which the instantaneous level
2695 of the input signal is averaged to determine its volume. @var{attacks} refers to
2696 increase of volume and @var{decays} refers to decrease of volume. For most
2697 situations, the attack time (response to the audio getting louder) should be
2698 shorter than the decay time, because the human ear is more sensitive to sudden
2699 loud audio than sudden soft audio. A typical value for attack is 0.3 seconds and
2700 a typical value for decay is 0.8 seconds.
2701 If specified number of attacks & decays is lower than number of channels, the last
2702 set attack/decay will be used for all remaining channels.
2703
2704 @item points
2705 A list of points for the transfer function, specified in dB relative to the
2706 maximum possible signal amplitude. Each key points list must be defined using
2707 the following syntax: @code{x0/y0|x1/y1|x2/y2|....} or
2708 @code{x0/y0 x1/y1 x2/y2 ....}
2709
2710 The input values must be in strictly increasing order but the transfer function
2711 does not have to be monotonically rising. The point @code{0/0} is assumed but
2712 may be overridden (by @code{0/out-dBn}). Typical values for the transfer
2713 function are @code{-70/-70|-60/-20|1/0}.
2714
2715 @item soft-knee
2716 Set the curve radius in dB for all joints. It defaults to 0.01.
2717
2718 @item gain
2719 Set the additional gain in dB to be applied at all points on the transfer
2720 function. This allows for easy adjustment of the overall gain.
2721 It defaults to 0.
2722
2723 @item volume
2724 Set an initial volume, in dB, to be assumed for each channel when filtering
2725 starts. This permits the user to supply a nominal level initially, so that, for
2726 example, a very large gain is not applied to initial signal levels before the
2727 companding has begun to operate. A typical value for audio which is initially
2728 quiet is -90 dB. It defaults to 0.
2729
2730 @item delay
2731 Set a delay, in seconds. The input audio is analyzed immediately, but audio is
2732 delayed before being fed to the volume adjuster. Specifying a delay
2733 approximately equal to the attack/decay times allows the filter to effectively
2734 operate in predictive rather than reactive mode. It defaults to 0.
2735
2736 @end table
2737
2738 @subsection Examples
2739
2740 @itemize
2741 @item
2742 Make music with both quiet and loud passages suitable for listening to in a
2743 noisy environment:
2744 @example
2745 compand=.3|.3:1|1:-90/-60|-60/-40|-40/-30|-20/-20:6:0:-90:0.2
2746 @end example
2747
2748 Another example for audio with whisper and explosion parts:
2749 @example
2750 compand=0|0:1|1:-90/-900|-70/-70|-30/-9|0/-3:6:0:0:0
2751 @end example
2752
2753 @item
2754 A noise gate for when the noise is at a lower level than the signal:
2755 @example
2756 compand=.1|.1:.2|.2:-900/-900|-50.1/-900|-50/-50:.01:0:-90:.1
2757 @end example
2758
2759 @item
2760 Here is another noise gate, this time for when the noise is at a higher level
2761 than the signal (making it, in some ways, similar to squelch):
2762 @example
2763 compand=.1|.1:.1|.1:-45.1/-45.1|-45/-900|0/-900:.01:45:-90:.1
2764 @end example
2765
2766 @item
2767 2:1 compression starting at -6dB:
2768 @example
2769 compand=points=-80/-80|-6/-6|0/-3.8|20/3.5
2770 @end example
2771
2772 @item
2773 2:1 compression starting at -9dB:
2774 @example
2775 compand=points=-80/-80|-9/-9|0/-5.3|20/2.9
2776 @end example
2777
2778 @item
2779 2:1 compression starting at -12dB:
2780 @example
2781 compand=points=-80/-80|-12/-12|0/-6.8|20/1.9
2782 @end example
2783
2784 @item
2785 2:1 compression starting at -18dB:
2786 @example
2787 compand=points=-80/-80|-18/-18|0/-9.8|20/0.7
2788 @end example
2789
2790 @item
2791 3:1 compression starting at -15dB:
2792 @example
2793 compand=points=-80/-80|-15/-15|0/-10.8|20/-5.2
2794 @end example
2795
2796 @item
2797 Compressor/Gate:
2798 @example
2799 compand=points=-80/-105|-62/-80|-15.4/-15.4|0/-12|20/-7.6
2800 @end example
2801
2802 @item
2803 Expander:
2804 @example
2805 compand=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
2806 @end example
2807
2808 @item
2809 Hard limiter at -6dB:
2810 @example
2811 compand=attacks=0:points=-80/-80|-6/-6|20/-6
2812 @end example
2813
2814 @item
2815 Hard limiter at -12dB:
2816 @example
2817 compand=attacks=0:points=-80/-80|-12/-12|20/-12
2818 @end example
2819
2820 @item
2821 Hard noise gate at -35 dB:
2822 @example
2823 compand=attacks=0:points=-80/-115|-35.1/-80|-35/-35|20/20
2824 @end example
2825
2826 @item
2827 Soft limiter:
2828 @example
2829 compand=attacks=0:points=-80/-80|-12.4/-12.4|-6/-8|0/-6.8|20/-2.8
2830 @end example
2831 @end itemize
2832
2833 @section compensationdelay
2834
2835 Compensation Delay Line is a metric based delay to compensate differing
2836 positions of microphones or speakers.
2837
2838 For example, you have recorded guitar with two microphones placed in
2839 different location. Because the front of sound wave has fixed speed in
2840 normal conditions, the phasing of microphones can vary and depends on
2841 their location and interposition. The best sound mix can be achieved when
2842 these microphones are in phase (synchronized). Note that distance of
2843 ~30 cm between microphones makes one microphone to capture signal in
2844 antiphase to another microphone. That makes the final mix sounding moody.
2845 This filter helps to solve phasing problems by adding different delays
2846 to each microphone track and make them synchronized.
2847
2848 The best result can be reached when you take one track as base and
2849 synchronize other tracks one by one with it.
2850 Remember that synchronization/delay tolerance depends on sample rate, too.
2851 Higher sample rates will give more tolerance.
2852
2853 It accepts the following parameters:
2854
2855 @table @option
2856 @item mm
2857 Set millimeters distance. This is compensation distance for fine tuning.
2858 Default is 0.
2859
2860 @item cm
2861 Set cm distance. This is compensation distance for tightening distance setup.
2862 Default is 0.
2863
2864 @item m
2865 Set meters distance. This is compensation distance for hard distance setup.
2866 Default is 0.
2867
2868 @item dry
2869 Set dry amount. Amount of unprocessed (dry) signal.
2870 Default is 0.
2871
2872 @item wet
2873 Set wet amount. Amount of processed (wet) signal.
2874 Default is 1.
2875
2876 @item temp
2877 Set temperature degree in Celsius. This is the temperature of the environment.
2878 Default is 20.
2879 @end table
2880
2881 @section crossfeed
2882 Apply headphone crossfeed filter.
2883
2884 Crossfeed is the process of blending the left and right channels of stereo
2885 audio recording.
2886 It is mainly used to reduce extreme stereo separation of low frequencies.
2887
2888 The intent is to produce more speaker like sound to the listener.
2889
2890 The filter accepts the following options:
2891
2892 @table @option
2893 @item strength
2894 Set strength of crossfeed. Default is 0.2. Allowed range is from 0 to 1.
2895 This sets gain of low shelf filter for side part of stereo image.
2896 Default is -6dB. Max allowed is -30db when strength is set to 1.
2897
2898 @item range
2899 Set soundstage wideness. Default is 0.5. Allowed range is from 0 to 1.
2900 This sets cut off frequency of low shelf filter. Default is cut off near
2901 1550 Hz. With range set to 1 cut off frequency is set to 2100 Hz.
2902
2903 @item level_in
2904 Set input gain. Default is 0.9.
2905
2906 @item level_out
2907 Set output gain. Default is 1.
2908 @end table
2909
2910 @section crystalizer
2911 Simple algorithm to expand audio dynamic range.
2912
2913 The filter accepts the following options:
2914
2915 @table @option
2916 @item i
2917 Sets the intensity of effect (default: 2.0). Must be in range between 0.0
2918 (unchanged sound) to 10.0 (maximum effect).
2919
2920 @item c
2921 Enable clipping. By default is enabled.
2922 @end table
2923
2924 @section dcshift
2925 Apply a DC shift to the audio.
2926
2927 This can be useful to remove a DC offset (caused perhaps by a hardware problem
2928 in the recording chain) from the audio. The effect of a DC offset is reduced
2929 headroom and hence volume. The @ref{astats} filter can be used to determine if
2930 a signal has a DC offset.
2931
2932 @table @option
2933 @item shift
2934 Set the DC shift, allowed range is [-1, 1]. It indicates the amount to shift
2935 the audio.
2936
2937 @item limitergain
2938 Optional. It should have a value much less than 1 (e.g. 0.05 or 0.02) and is
2939 used to prevent clipping.
2940 @end table
2941
2942 @section drmeter
2943 Measure audio dynamic range.
2944
2945 DR values of 14 and higher is found in very dynamic material. DR of 8 to 13
2946 is found in transition material. And anything less that 8 have very poor dynamics
2947 and is very compressed.
2948
2949 The filter accepts the following options:
2950
2951 @table @option
2952 @item length
2953 Set window length in seconds used to split audio into segments of equal length.
2954 Default is 3 seconds.
2955 @end table
2956
2957 @section dynaudnorm
2958 Dynamic Audio Normalizer.
2959
2960 This filter applies a certain amount of gain to the input audio in order
2961 to bring its peak magnitude to a target level (e.g. 0 dBFS). However, in
2962 contrast to more "simple" normalization algorithms, the Dynamic Audio
2963 Normalizer *dynamically* re-adjusts the gain factor to the input audio.
2964 This allows for applying extra gain to the "quiet" sections of the audio
2965 while avoiding distortions or clipping the "loud" sections. In other words:
2966 The Dynamic Audio Normalizer will "even out" the volume of quiet and loud
2967 sections, in the sense that the volume of each section is brought to the
2968 same target level. Note, however, that the Dynamic Audio Normalizer achieves
2969 this goal *without* applying "dynamic range compressing". It will retain 100%
2970 of the dynamic range *within* each section of the audio file.
2971
2972 @table @option
2973 @item f
2974 Set the frame length in milliseconds. In range from 10 to 8000 milliseconds.
2975 Default is 500 milliseconds.
2976 The Dynamic Audio Normalizer processes the input audio in small chunks,
2977 referred to as frames. This is required, because a peak magnitude has no
2978 meaning for just a single sample value. Instead, we need to determine the
2979 peak magnitude for a contiguous sequence of sample values. While a "standard"
2980 normalizer would simply use the peak magnitude of the complete file, the
2981 Dynamic Audio Normalizer determines the peak magnitude individually for each
2982 frame. The length of a frame is specified in milliseconds. By default, the
2983 Dynamic Audio Normalizer uses a frame length of 500 milliseconds, which has
2984 been found to give good results with most files.
2985 Note that the exact frame length, in number of samples, will be determined
2986 automatically, based on the sampling rate of the individual input audio file.
2987
2988 @item g
2989 Set the Gaussian filter window size. In range from 3 to 301, must be odd
2990 number. Default is 31.
2991 Probably the most important parameter of the Dynamic Audio Normalizer is the
2992 @code{window size} of the Gaussian smoothing filter. The filter's window size
2993 is specified in frames, centered around the current frame. For the sake of
2994 simplicity, this must be an odd number. Consequently, the default value of 31
2995 takes into account the current frame, as well as the 15 preceding frames and
2996 the 15 subsequent frames. Using a larger window results in a stronger
2997 smoothing effect and thus in less gain variation, i.e. slower gain
2998 adaptation. Conversely, using a smaller window results in a weaker smoothing
2999 effect and thus in more gain variation, i.e. faster gain adaptation.
3000 In other words, the more you increase this value, the more the Dynamic Audio
3001 Normalizer will behave like a "traditional" normalization filter. On the
3002 contrary, the more you decrease this value, the more the Dynamic Audio
3003 Normalizer will behave like a dynamic range compressor.
3004
3005 @item p
3006 Set the target peak value. This specifies the highest permissible magnitude
3007 level for the normalized audio input. This filter will try to approach the
3008 target peak magnitude as closely as possible, but at the same time it also
3009 makes sure that the normalized signal will never exceed the peak magnitude.
3010 A frame's maximum local gain factor is imposed directly by the target peak
3011 magnitude. The default value is 0.95 and thus leaves a headroom of 5%*.
3012 It is not recommended to go above this value.
3013
3014 @item m
3015 Set the maximum gain factor. In range from 1.0 to 100.0. Default is 10.0.
3016 The Dynamic Audio Normalizer determines the maximum possible (local) gain
3017 factor for each input frame, i.e. the maximum gain factor that does not
3018 result in clipping or distortion. The maximum gain factor is determined by
3019 the frame's highest magnitude sample. However, the Dynamic Audio Normalizer
3020 additionally bounds the frame's maximum gain factor by a predetermined
3021 (global) maximum gain factor. This is done in order to avoid excessive gain
3022 factors in "silent" or almost silent frames. By default, the maximum gain
3023 factor is 10.0, For most inputs the default value should be sufficient and
3024 it usually is not recommended to increase this value. Though, for input
3025 with an extremely low overall volume level, it may be necessary to allow even
3026 higher gain factors. Note, however, that the Dynamic Audio Normalizer does
3027 not simply apply a "hard" threshold (i.e. cut off values above the threshold).
3028 Instead, a "sigmoid" threshold function will be applied. This way, the
3029 gain factors will smoothly approach the threshold value, but never exceed that
3030 value.
3031
3032 @item r
3033 Set the target RMS. In range from 0.0 to 1.0. Default is 0.0 - disabled.
3034 By default, the Dynamic Audio Normalizer performs "peak" normalization.
3035 This means that the maximum local gain factor for each frame is defined
3036 (only) by the frame's highest magnitude sample. This way, the samples can
3037 be amplified as much as possible without exceeding the maximum signal
3038 level, i.e. without clipping. Optionally, however, the Dynamic Audio
3039 Normalizer can also take into account the frame's root mean square,
3040 abbreviated RMS. In electrical engineering, the RMS is commonly used to
3041 determine the power of a time-varying signal. It is therefore considered
3042 that the RMS is a better approximation of the "perceived loudness" than
3043 just looking at the signal's peak magnitude. Consequently, by adjusting all
3044 frames to a constant RMS value, a uniform "perceived loudness" can be
3045 established. If a target RMS value has been specified, a frame's local gain
3046 factor is defined as the factor that would result in exactly that RMS value.
3047 Note, however, that the maximum local gain factor is still restricted by the
3048 frame's highest magnitude sample, in order to prevent clipping.
3049
3050 @item n
3051 Enable channels coupling. By default is enabled.
3052 By default, the Dynamic Audio Normalizer will amplify all channels by the same
3053 amount. This means the same gain factor will be applied to all channels, i.e.
3054 the maximum possible gain factor is determined by the "loudest" channel.
3055 However, in some recordings, it may happen that the volume of the different
3056 channels is uneven, e.g. one channel may be "quieter" than the other one(s).
3057 In this case, this option can be used to disable the channel coupling. This way,
3058 the gain factor will be determined independently for each channel, depending
3059 only on the individual channel's highest magnitude sample. This allows for
3060 harmonizing the volume of the different channels.
3061
3062 @item c
3063 Enable DC bias correction. By default is disabled.
3064 An audio signal (in the time domain) is a sequence of sample values.
3065 In the Dynamic Audio Normalizer these sample values are represented in the
3066 -1.0 to 1.0 range, regardless of the original input format. Normally, the
3067 audio signal, or "waveform", should be centered around the zero point.
3068 That means if we calculate the mean value of all samples in a file, or in a
3069 single frame, then the result should be 0.0 or at least very close to that
3070 value. If, however, there is a significant deviation of the mean value from
3071 0.0, in either positive or negative direction, this is referred to as a
3072 DC bias or DC offset. Since a DC bias is clearly undesirable, the Dynamic
3073 Audio Normalizer provides optional DC bias correction.
3074 With DC bias correction enabled, the Dynamic Audio Normalizer will determine
3075 the mean value, or "DC correction" offset, of each input frame and subtract
3076 that value from all of the frame's sample values which ensures those samples
3077 are centered around 0.0 again. Also, in order to avoid "gaps" at the frame
3078 boundaries, the DC correction offset values will be interpolated smoothly
3079 between neighbouring frames.
3080
3081 @item b
3082 Enable alternative boundary mode. By default is disabled.
3083 The Dynamic Audio Normalizer takes into account a certain neighbourhood
3084 around each frame. This includes the preceding frames as well as the
3085 subsequent frames. However, for the "boundary" frames, located at the very
3086 beginning and at the very end of the audio file, not all neighbouring
3087 frames are available. In particular, for the first few frames in the audio
3088 file, the preceding frames are not known. And, similarly, for the last few
3089 frames in the audio file, the subsequent frames are not known. Thus, the
3090 question arises which gain factors should be assumed for the missing frames
3091 in the "boundary" region. The Dynamic Audio Normalizer implements two modes
3092 to deal with this situation. The default boundary mode assumes a gain factor
3093 of exactly 1.0 for the missing frames, resulting in a smooth "fade in" and
3094 "fade out" at the beginning and at the end of the input, respectively.
3095
3096 @item s
3097 Set the compress factor. In range from 0.0 to 30.0. Default is 0.0.
3098 By default, the Dynamic Audio Normalizer does not apply "traditional"
3099 compression. This means that signal peaks will not be pruned and thus the
3100 full dynamic range will be retained within each local neighbourhood. However,
3101 in some cases it may be desirable to combine the Dynamic Audio Normalizer's
3102 normalization algorithm with a more "traditional" compression.
3103 For this purpose, the Dynamic Audio Normalizer provides an optional compression
3104 (thresholding) function. If (and only if) the compression feature is enabled,
3105 all input frames will be processed by a soft knee thresholding function prior
3106 to the actual normalization process. Put simply, the thresholding function is
3107 going to prune all samples whose magnitude exceeds a certain threshold value.
3108 However, the Dynamic Audio Normalizer does not simply apply a fixed threshold
3109 value. Instead, the threshold value will be adjusted for each individual
3110 frame.
3111 In general, smaller parameters result in stronger compression, and vice versa.
3112 Values below 3.0 are not recommended, because audible distortion may appear.
3113 @end table
3114
3115 @section earwax
3116
3117 Make audio easier to listen to on headphones.
3118
3119 This filter adds `cues' to 44.1kHz stereo (i.e. audio CD format) audio
3120 so that when listened to on headphones the stereo image is moved from
3121 inside your head (standard for headphones) to outside and in front of
3122 the listener (standard for speakers).
3123
3124 Ported from SoX.
3125
3126 @section equalizer
3127
3128 Apply a two-pole peaking equalisation (EQ) filter. With this
3129 filter, the signal-level at and around a selected frequency can
3130 be increased or decreased, whilst (unlike bandpass and bandreject
3131 filters) that at all other frequencies is unchanged.
3132
3133 In order to produce complex equalisation curves, this filter can
3134 be given several times, each with a different central frequency.
3135
3136 The filter accepts the following options:
3137
3138 @table @option
3139 @item frequency, f
3140 Set the filter's central frequency in Hz.
3141
3142 @item width_type, t
3143 Set method to specify band-width of filter.
3144 @table @option
3145 @item h
3146 Hz
3147 @item q
3148 Q-Factor
3149 @item o
3150 octave
3151 @item s
3152 slope
3153 @item k
3154 kHz
3155 @end table
3156
3157 @item width, w
3158 Specify the band-width of a filter in width_type units.
3159
3160 @item gain, g
3161 Set the required gain or attenuation in dB.
3162 Beware of clipping when using a positive gain.
3163
3164 @item channels, c
3165 Specify which channels to filter, by default all available are filtered.
3166 @end table
3167
3168 @subsection Examples
3169 @itemize
3170 @item
3171 Attenuate 10 dB at 1000 Hz, with a bandwidth of 200 Hz:
3172 @example
3173 equalizer=f=1000:t=h:width=200:g=-10
3174 @end example
3175
3176 @item
3177 Apply 2 dB gain at 1000 Hz with Q 1 and attenuate 5 dB at 100 Hz with Q 2:
3178 @example
3179 equalizer=f=1000:t=q:w=1:g=2,equalizer=f=100:t=q:w=2:g=-5
3180 @end example
3181 @end itemize
3182
3183 @subsection Commands
3184
3185 This filter supports the following commands:
3186 @table @option
3187 @item frequency, f
3188 Change equalizer frequency.
3189 Syntax for the command is : "@var{frequency}"
3190
3191 @item width_type, t
3192 Change equalizer width_type.
3193 Syntax for the command is : "@var{width_type}"
3194
3195 @item width, w
3196 Change equalizer width.
3197 Syntax for the command is : "@var{width}"
3198
3199 @item gain, g
3200 Change equalizer gain.
3201 Syntax for the command is : "@var{gain}"
3202 @end table
3203
3204 @section extrastereo
3205
3206 Linearly increases the difference between left and right channels which
3207 adds some sort of "live" effect to playback.
3208
3209 The filter accepts the following options:
3210
3211 @table @option
3212 @item m
3213 Sets the difference coefficient (default: 2.5). 0.0 means mono sound
3214 (average of both channels), with 1.0 sound will be unchanged, with
3215 -1.0 left and right channels will be swapped.
3216
3217 @item c
3218 Enable clipping. By default is enabled.
3219 @end table
3220
3221 @section firequalizer
3222 Apply FIR Equalization using arbitrary frequency response.
3223
3224 The filter accepts the following option:
3225
3226 @table @option
3227 @item gain
3228 Set gain curve equation (in dB). The expression can contain variables:
3229 @table @option
3230 @item f
3231 the evaluated frequency
3232 @item sr
3233 sample rate
3234 @item ch
3235 channel number, set to 0 when multichannels evaluation is disabled
3236 @item chid
3237 channel id, see libavutil/channel_layout.h, set to the first channel id when
3238 multichannels evaluation is disabled
3239 @item chs
3240 number of channels
3241 @item chlayout
3242 channel_layout, see libavutil/channel_layout.h
3243
3244 @end table
3245 and functions:
3246 @table @option
3247 @item gain_interpolate(f)
3248 interpolate gain on frequency f based on gain_entry
3249 @item cubic_interpolate(f)
3250 same as gain_interpolate, but smoother
3251 @end table
3252 This option is also available as command. Default is @code{gain_interpolate(f)}.
3253
3254 @item gain_entry
3255 Set gain entry for gain_interpolate function. The expression can
3256 contain functions:
3257 @table @option
3258 @item entry(f, g)
3259 store gain entry at frequency f with value g
3260 @end table
3261 This option is also available as command.
3262
3263 @item delay
3264 Set filter delay in seconds. Higher value means more accurate.
3265 Default is @code{0.01}.
3266
3267 @item accuracy
3268 Set filter accuracy in Hz. Lower value means more accurate.
3269 Default is @code{5}.
3270
3271 @item wfunc
3272 Set window function. Acceptable values are:
3273 @table @option
3274 @item rectangular
3275 rectangular window, useful when gain curve is already smooth
3276 @item hann
3277 hann window (default)
3278 @item hamming
3279 hamming window
3280 @item blackman
3281 blackman window
3282 @item nuttall3
3283 3-terms continuous 1st derivative nuttall window
3284 @item mnuttall3
3285 minimum 3-terms discontinuous nuttall window
3286 @item nuttall
3287 4-terms continuous 1st derivative nuttall window
3288 @item bnuttall
3289 minimum 4-terms discontinuous nuttall (blackman-nuttall) window
3290 @item bharris
3291 blackman-harris window
3292 @item tukey
3293 tukey window
3294 @end table
3295
3296 @item fixed
3297 If enabled, use fixed number of audio samples. This improves speed when
3298 filtering with large delay. Default is disabled.
3299
3300 @item multi
3301 Enable multichannels evaluation on gain. Default is disabled.
3302
3303 @item zero_phase
3304 Enable zero phase mode by subtracting timestamp to compensate delay.
3305 Default is disabled.
3306
3307 @item scale
3308 Set scale used by gain. Acceptable values are:
3309 @table @option
3310 @item linlin
3311 linear frequency, linear gain
3312 @item linlog
3313 linear frequency, logarithmic (in dB) gain (default)
3314 @item loglin
3315 logarithmic (in octave scale where 20 Hz is 0) frequency, linear gain
3316 @item loglog
3317 logarithmic frequency, logarithmic gain
3318 @end table
3319
3320 @item dumpfile
3321 Set file for dumping, suitable for gnuplot.
3322
3323 @item dumpscale
3324 Set scale for dumpfile. Acceptable values are same with scale option.
3325 Default is linlog.
3326
3327 @item fft2
3328 Enable 2-channel convolution using complex FFT. This improves speed significantly.
3329 Default is disabled.
3330
3331 @item min_phase
3332 Enable minimum phase impulse response. Default is disabled.
3333 @end table
3334
3335 @subsection Examples
3336 @itemize
3337 @item
3338 lowpass at 1000 Hz:
3339 @example
3340 firequalizer=gain='if(lt(f,1000), 0, -INF)'
3341 @end example
3342 @item
3343 lowpass at 1000 Hz with gain_entry:
3344 @example
3345 firequalizer=gain_entry='entry(1000,0); entry(1001, -INF)'
3346 @end example
3347 @item
3348 custom equalization:
3349 @example
3350 firequalizer=gain_entry='entry(100,0); entry(400, -4); entry(1000, -6); entry(2000, 0)'
3351 @end example
3352 @item
3353 higher delay with zero phase to compensate delay:
3354 @example
3355 firequalizer=delay=0.1:fixed=on:zero_phase=on
3356 @end example
3357 @item
3358 lowpass on left channel, highpass on right channel:
3359 @example
3360 firequalizer=gain='if(eq(chid,1), gain_interpolate(f), if(eq(chid,2), gain_interpolate(1e6+f), 0))'
3361 :gain_entry='entry(1000, 0); entry(1001,-INF); entry(1e6+1000,0)':multi=on
3362 @end example
3363 @end itemize
3364
3365 @section flanger
3366 Apply a flanging effect to the audio.
3367
3368 The filter accepts the following options:
3369
3370 @table @option
3371 @item delay
3372 Set base delay in milliseconds. Range from 0 to 30. Default value is 0.
3373
3374 @item depth
3375 Set added sweep delay in milliseconds. Range from 0 to 10. Default value is 2.
3376
3377 @item regen
3378 Set percentage regeneration (delayed signal feedback). Range from -95 to 95.
3379 Default value is 0.
3380
3381 @item width
3382 Set percentage of delayed signal mixed with original. Range from 0 to 100.
3383 Default value is 71.
3384
3385 @item speed
3386 Set sweeps per second (Hz). Range from 0.1 to 10. Default value is 0.5.
3387
3388 @item shape
3389 Set swept wave shape, can be @var{triangular} or @var{sinusoidal}.
3390 Default value is @var{sinusoidal}.
3391
3392 @item phase
3393 Set swept wave percentage-shift for multi channel. Range from 0 to 100.
3394 Default value is 25.
3395
3396 @item interp
3397 Set delay-line interpolation, @var{linear} or @var{quadratic}.
3398 Default is @var{linear}.
3399 @end table
3400
3401 @section haas
3402 Apply Haas effect to audio.
3403
3404 Note that this makes most sense to apply on mono signals.
3405 With this filter applied to mono signals it give some directionality and
3406 stretches its stereo image.
3407
3408 The filter accepts the following options:
3409
3410 @table @option
3411 @item level_in
3412 Set input level. By default is @var{1}, or 0dB
3413
3414 @item level_out
3415 Set output level. By default is @var{1}, or 0dB.
3416
3417 @item side_gain
3418 Set gain applied to side part of signal. By default is @var{1}.
3419
3420 @item middle_source
3421 Set kind of middle source. Can be one of the following:
3422
3423 @table @samp
3424 @item left
3425 Pick left channel.
3426
3427 @item right
3428 Pick right channel.
3429
3430 @item mid
3431 Pick middle part signal of stereo image.
3432
3433 @item side
3434 Pick side part signal of stereo image.
3435 @end table
3436
3437 @item middle_phase
3438 Change middle phase. By default is disabled.
3439
3440 @item left_delay
3441 Set left channel delay. By default is @var{2.05} milliseconds.
3442
3443 @item left_balance
3444 Set left channel balance. By default is @var{-1}.
3445
3446 @item left_gain
3447 Set left channel gain. By default is @var{1}.
3448
3449 @item left_phase
3450 Change left phase. By default is disabled.
3451
3452 @item right_delay
3453 Set right channel delay. By defaults is @var{2.12} milliseconds.
3454
3455 @item right_balance
3456 Set right channel balance. By default is @var{1}.
3457
3458 @item right_gain
3459 Set right channel gain. By default is @var{1}.
3460
3461 @item right_phase
3462 Change right phase. By default is enabled.
3463 @end table
3464
3465 @section hdcd
3466
3467 Decodes High Definition Compatible Digital (HDCD) data. A 16-bit PCM stream with
3468 embedded HDCD codes is expanded into a 20-bit PCM stream.
3469
3470 The filter supports the Peak Extend and Low-level Gain Adjustment features
3471 of HDCD, and detects the Transient Filter flag.
3472
3473 @example
3474 ffmpeg -i HDCD16.flac -af hdcd OUT24.flac
3475 @end example
3476
3477 When using the filter with wav, note the default encoding for wav is 16-bit,
3478 so the resulting 20-bit stream will be truncated back to 16-bit. Use something
3479 like @command{-acodec pcm_s24le} after the filter to get 24-bit PCM output.
3480 @example
3481 ffmpeg -i HDCD16.wav -af hdcd OUT16.wav
3482 ffmpeg -i HDCD16.wav -af hdcd -c:a pcm_s24le OUT24.wav
3483 @end example
3484
3485 The filter accepts the following options:
3486
3487 @table @option
3488 @item disable_autoconvert
3489 Disable any automatic format conversion or resampling in the filter graph.
3490
3491 @item process_stereo
3492 Process the stereo channels together. If target_gain does not match between
3493 channels, consider it invalid and use the last valid target_gain.
3494
3495 @item cdt_ms
3496 Set the code detect timer period in ms.
3497
3498 @item force_pe
3499 Always extend peaks above -3dBFS even if PE isn't signaled.
3500
3501 @item analyze_mode
3502 Replace audio with a solid tone and adjust the amplitude to signal some
3503 specific aspect of the decoding process. The output file can be loaded in
3504 an audio editor alongside the original to aid analysis.
3505
3506 @code{analyze_mode=pe:force_pe=true} can be used to see all samples above the PE level.
3507
3508 Modes are:
3509 @table @samp
3510 @item 0, off
3511 Disabled
3512 @item 1, lle
3513 Gain adjustment level at each sample
3514 @item 2, pe
3515 Samples where peak extend occurs
3516 @item 3, cdt
3517 Samples where the code detect timer is active
3518 @item 4, tgm
3519 Samples where the target gain does not match between channels
3520 @end table
3521 @end table
3522
3523 @section headphone
3524
3525 Apply head-related transfer functions (HRTFs) to create virtual
3526 loudspeakers around the user for binaural listening via headphones.
3527 The HRIRs are provided via additional streams, for each channel
3528 one stereo input stream is needed.
3529
3530 The filter accepts the following options:
3531
3532 @table @option
3533 @item map
3534 Set mapping of input streams for convolution.
3535 The argument is a '|'-separated list of channel names in order as they
3536 are given as additional stream inputs for filter.
3537 This also specify number of input streams. Number of input streams
3538 must be not less than number of channels in first stream plus one.
3539
3540 @item gain
3541 Set gain applied to audio. Value is in dB. Default is 0.
3542
3543 @item type
3544 Set processing type. Can be @var{time} or @var{freq}. @var{time} is
3545 processing audio in time domain which is slow.
3546 @var{freq} is processing audio in frequency domain which is fast.
3547 Default is @var{freq}.
3548
3549 @item lfe
3550 Set custom gain for LFE channels. Value is in dB. Default is 0.
3551
3552 @item size
3553 Set size of frame in number of samples which will be processed at once.
3554 Default value is @var{1024}. Allowed range is from 1024 to 96000.
3555
3556 @item hrir
3557 Set format of hrir stream.
3558 Default value is @var{stereo}. Alternative value is @var{multich}.
3559 If value is set to @var{stereo}, number of additional streams should
3560 be greater or equal to number of input channels in first input stream.
3561 Also each additional stream should have stereo number of channels.
3562 If value is set to @var{multich}, number of additional streams should
3563 be exactly one. Also number of input channels of additional stream
3564 should be equal or greater than twice number of channels of first input
3565 stream.
3566 @end table
3567
3568 @subsection Examples
3569
3570 @itemize
3571 @item
3572 Full example using wav files as coefficients with amovie filters for 7.1 downmix,
3573 each amovie filter use stereo file with IR coefficients as input.
3574 The files give coefficients for each position of virtual loudspeaker:
3575 @example
3576 ffmpeg -i input.wav
3577 -filter_complex "amovie=azi_270_ele_0_DFC.wav[sr];amovie=azi_90_ele_0_DFC.wav[sl];amovie=azi_225_ele_0_DFC.wav[br];amovie=azi_135_ele_0_DFC.wav[bl];amovie=azi_0_ele_0_DFC.wav,asplit[fc][lfe];amovie=azi_35_ele_0_DFC.wav[fl];amovie=azi_325_ele_0_DFC.wav[fr];[0:a][fl][fr][fc][lfe][bl][br][sl][sr]headphone=FL|FR|FC|LFE|BL|BR|SL|SR"
3578 output.wav
3579 @end example
3580
3581 @item
3582 Full example using wav files as coefficients with amovie filters for 7.1 downmix,
3583 but now in @var{multich} @var{hrir} format.
3584 @example
3585 ffmpeg -i input.wav -filter_complex "amovie=minp.wav[hrirs];[0:a][hrirs]headphone=map=FL|FR|FC|LFE|BL|BR|SL|SR:hrir=multich"
3586 output.wav
3587 @end example
3588 @end itemize
3589
3590 @section highpass
3591
3592 Apply a high-pass filter with 3dB point frequency.
3593 The filter can be either single-pole, or double-pole (the default).
3594 The filter roll off at 6dB per pole per octave (20dB per pole per decade).
3595
3596 The filter accepts the following options:
3597
3598 @table @option
3599 @item frequency, f
3600 Set frequency in Hz. Default is 3000.
3601
3602 @item poles, p
3603 Set number of poles. Default is 2.
3604
3605 @item width_type, t
3606 Set method to specify band-width of filter.
3607 @table @option
3608 @item h
3609 Hz
3610 @item q
3611 Q-Factor
3612 @item o
3613 octave
3614 @item s
3615 slope
3616 @item k
3617 kHz
3618 @end table
3619
3620 @item width, w
3621 Specify the band-width of a filter in width_type units.
3622 Applies only to double-pole filter.
3623 The default is 0.707q and gives a Butterworth response.
3624
3625 @item channels, c
3626 Specify which channels to filter, by default all available are filtered.
3627 @end table
3628
3629 @subsection Commands
3630
3631 This filter supports the following commands:
3632 @table @option
3633 @item frequency, f
3634 Change highpass frequency.
3635 Syntax for the command is : "@var{frequency}"
3636
3637 @item width_type, t
3638 Change highpass width_type.
3639 Syntax for the command is : "@var{width_type}"
3640
3641 @item width, w
3642 Change highpass width.
3643 Syntax for the command is : "@var{width}"
3644 @end table
3645
3646 @section join
3647
3648 Join multiple input streams into one multi-channel stream.
3649
3650 It accepts the following parameters:
3651 @table @option
3652
3653 @item inputs
3654 The number of input streams. It defaults to 2.
3655
3656 @item channel_layout
3657 The desired output channel layout. It defaults to stereo.
3658
3659 @item map
3660 Map channels from inputs to output. The argument is a '|'-separated list of
3661 mappings, each in the @code{@var{input_idx}.@var{in_channel}-@var{out_channel}}
3662 form. @var{input_idx} is the 0-based index of the input stream. @var{in_channel}
3663 can be either the name of the input channel (e.g. FL for front left) or its
3664 index in the specified input stream. @var{out_channel} is the name of the output
3665 channel.
3666 @end table
3667
3668 The filter will attempt to guess the mappings when they are not specified
3669 explicitly. It does so by first trying to find an unused matching input channel
3670 and if that fails it picks the first unused input channel.
3671
3672 Join 3 inputs (with properly set channel layouts):
3673 @example
3674 ffmpeg -i INPUT1 -i INPUT2 -i INPUT3 -filter_complex join=inputs=3 OUTPUT
3675 @end example
3676
3677 Build a 5.1 output from 6 single-channel streams:
3678 @example
3679 ffmpeg -i fl -i fr -i fc -i sl -i sr -i lfe -filter_complex
3680 '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'
3681 out
3682 @end example
3683
3684 @section ladspa
3685
3686 Load a LADSPA (Linux Audio Developer's Simple Plugin API) plugin.
3687
3688 To enable compilation of this filter you need to configure FFmpeg with
3689 @code{--enable-ladspa}.
3690
3691 @table @option
3692 @item file, f
3693 Specifies the name of LADSPA plugin library to load. If the environment
3694 variable @env{LADSPA_PATH} is defined, the LADSPA plugin is searched in
3695 each one of the directories specified by the colon separated list in
3696 @env{LADSPA_PATH}, otherwise in the standard LADSPA paths, which are in
3697 this order: @file{HOME/.ladspa/lib/}, @file{/usr/local/lib/ladspa/},
3698 @file{/usr/lib/ladspa/}.
3699
3700 @item plugin, p
3701 Specifies the plugin within the library. Some libraries contain only
3702 one plugin, but others contain many of them. If this is not set filter
3703 will list all available plugins within the specified library.
3704
3705 @item controls, c
3706 Set the '|' separated list of controls which are zero or more floating point
3707 values that determine the behavior of the loaded plugin (for example delay,
3708 threshold or gain).
3709 Controls need to be defined using the following syntax:
3710 c0=@var{value0}|c1=@var{value1}|c2=@var{value2}|..., where
3711 @var{valuei} is the value set on the @var{i}-th control.
3712 Alternatively they can be also defined using the following syntax:
3713 @var{value0}|@var{value1}|@var{value2}|..., where
3714 @var{valuei} is the value set on the @var{i}-th control.
3715 If @option{controls} is set to @code{help}, all available controls and
3716 their valid ranges are printed.
3717
3718 @item sample_rate, s
3719 Specify the sample rate, default to 44100. Only used if plugin have
3720 zero inputs.
3721
3722 @item nb_samples, n
3723 Set the number of samples per channel per each output frame, default
3724 is 1024. Only used if plugin have zero inputs.
3725
3726 @item duration, d
3727 Set the minimum duration of the sourced audio. See
3728 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
3729 for the accepted syntax.
3730 Note that the resulting duration may be greater than the specified duration,
3731 as the generated audio is always cut at the end of a complete frame.
3732 If not specified, or the expressed duration is negative, the audio is
3733 supposed to be generated forever.
3734 Only used if plugin have zero inputs.
3735
3736 @end table
3737
3738 @subsection Examples
3739
3740 @itemize
3741 @item
3742 List all available plugins within amp (LADSPA example plugin) library:
3743 @example
3744 ladspa=file=amp
3745 @end example
3746
3747 @item
3748 List all available controls and their valid ranges for @code{vcf_notch}
3749 plugin from @code{VCF} library:
3750 @example
3751 ladspa=f=vcf:p=vcf_notch:c=help
3752 @end example
3753
3754 @item
3755 Simulate low quality audio equipment using @code{Computer Music Toolkit} (CMT)
3756 plugin library:
3757 @example
3758 ladspa=file=cmt:plugin=lofi:controls=c0=22|c1=12|c2=12
3759 @end example
3760
3761 @item
3762 Add reverberation to the audio using TAP-plugins
3763 (Tom's Audio Processing plugins):
3764 @example
3765 ladspa=file=tap_reverb:tap_reverb
3766 @end example
3767
3768 @item
3769 Generate white noise, with 0.2 amplitude:
3770 @example
3771 ladspa=file=cmt:noise_source_white:c=c0=.2
3772 @end example
3773
3774 @item
3775 Generate 20 bpm clicks using plugin @code{C* Click - Metronome} from the
3776 @code{C* Audio Plugin Suite} (CAPS) library:
3777 @example
3778 ladspa=file=caps:Click:c=c1=20'
3779 @end example
3780
3781 @item
3782 Apply @code{C* Eq10X2 - Stereo 10-band equaliser} effect:
3783 @example
3784 ladspa=caps:Eq10X2:c=c0=-48|c9=-24|c3=12|c4=2
3785 @end example
3786
3787 @item
3788 Increase volume by 20dB using fast lookahead limiter from Steve Harris
3789 @code{SWH Plugins} collection:
3790 @example
3791 ladspa=fast_lookahead_limiter_1913:fastLookaheadLimiter:20|0|2
3792 @end example
3793
3794 @item
3795 Attenuate low frequencies using Multiband EQ from Steve Harris
3796 @code{SWH Plugins} collection:
3797 @example
3798 ladspa=mbeq_1197:mbeq:-24|-24|-24|0|0|0|0|0|0|0|0|0|0|0|0
3799 @end example
3800
3801 @item
3802 Reduce stereo image using @code{Narrower} from the @code{C* Audio Plugin Suite}
3803 (CAPS) library:
3804 @example
3805 ladspa=caps:Narrower
3806 @end example
3807
3808 @item
3809 Another white noise, now using @code{C* Audio Plugin Suite} (CAPS) library:
3810 @example
3811 ladspa=caps:White:.2
3812 @end example
3813
3814 @item
3815 Some fractal noise, using @code{C* Audio Plugin Suite} (CAPS) library:
3816 @example
3817 ladspa=caps:Fractal:c=c1=1
3818 @end example
3819
3820 @item
3821 Dynamic volume normalization using @code{VLevel} plugin:
3822 @example
3823 ladspa=vlevel-ladspa:vlevel_mono
3824 @end example
3825 @end itemize
3826
3827 @subsection Commands
3828
3829 This filter supports the following commands:
3830 @table @option
3831 @item cN
3832 Modify the @var{N}-th control value.
3833
3834 If the specified value is not valid, it is ignored and prior one is kept.
3835 @end table
3836
3837 @section loudnorm
3838
3839 EBU R128 loudness normalization. Includes both dynamic and linear normalization modes.
3840 Support for both single pass (livestreams, files) and double pass (files) modes.
3841 This algorithm can target IL, LRA, and maximum true peak. To accurately detect true peaks,
3842 the audio stream will be upsampled to 192 kHz unless the normalization mode is linear.
3843 Use the @code{-ar} option or @code{aresample} filter to explicitly set an output sample rate.
3844
3845 The filter accepts the following options:
3846
3847 @table @option
3848 @item I, i
3849 Set integrated loudness target.
3850 Range is -70.0 - -5.0. Default value is -24.0.
3851
3852 @item LRA, lra
3853 Set loudness range target.
3854 Range is 1.0 - 20.0. Default value is 7.0.
3855
3856 @item TP, tp
3857 Set maximum true peak.
3858 Range is -9.0 - +0.0. Default value is -2.0.
3859
3860 @item measured_I, measured_i
3861 Measured IL of input file.
3862 Range is -99.0 - +0.0.
3863
3864 @item measured_LRA, measured_lra
3865 Measured LRA of input file.
3866 Range is  0.0 - 99.0.
3867
3868 @item measured_TP, measured_tp
3869 Measured true peak of input file.
3870 Range is  -99.0 - +99.0.
3871
3872 @item measured_thresh
3873 Measured threshold of input file.
3874 Range is -99.0 - +0.0.
3875
3876 @item offset
3877 Set offset gain. Gain is applied before the true-peak limiter.
3878 Range is  -99.0 - +99.0. Default is +0.0.
3879
3880 @item linear
3881 Normalize linearly if possible.
3882 measured_I, measured_LRA, measured_TP, and measured_thresh must also
3883 to be specified in order to use this mode.
3884 Options are true or false. Default is true.
3885
3886 @item dual_mono
3887 Treat mono input files as "dual-mono". If a mono file is intended for playback
3888 on a stereo system, its EBU R128 measurement will be perceptually incorrect.
3889 If set to @code{true}, this option will compensate for this effect.
3890 Multi-channel input files are not affected by this option.
3891 Options are true or false. Default is false.
3892
3893 @item print_format
3894 Set print format for stats. Options are summary, json, or none.
3895 Default value is none.
3896 @end table
3897
3898 @section lowpass
3899
3900 Apply a low-pass filter with 3dB point frequency.
3901 The filter can be either single-pole or double-pole (the default).
3902 The filter roll off at 6dB per pole per octave (20dB per pole per decade).
3903
3904 The filter accepts the following options:
3905
3906 @table @option
3907 @item frequency, f
3908 Set frequency in Hz. Default is 500.
3909
3910 @item poles, p
3911 Set number of poles. Default is 2.
3912
3913 @item width_type, t
3914 Set method to specify band-width of filter.
3915 @table @option
3916 @item h
3917 Hz
3918 @item q
3919 Q-Factor
3920 @item o
3921 octave
3922 @item s
3923 slope
3924 @item k
3925 kHz
3926 @end table
3927
3928 @item width, w
3929 Specify the band-width of a filter in width_type units.
3930 Applies only to double-pole filter.
3931 The default is 0.707q and gives a Butterworth response.
3932
3933 @item channels, c
3934 Specify which channels to filter, by default all available are filtered.
3935 @end table
3936
3937 @subsection Examples
3938 @itemize
3939 @item
3940 Lowpass only LFE channel, it LFE is not present it does nothing:
3941 @example
3942 lowpass=c=LFE
3943 @end example
3944 @end itemize
3945
3946 @subsection Commands
3947
3948 This filter supports the following commands:
3949 @table @option
3950 @item frequency, f
3951 Change lowpass frequency.
3952 Syntax for the command is : "@var{frequency}"
3953
3954 @item width_type, t
3955 Change lowpass width_type.
3956 Syntax for the command is : "@var{width_type}"
3957
3958 @item width, w
3959 Change lowpass width.
3960 Syntax for the command is : "@var{width}"
3961 @end table
3962
3963 @section lv2
3964
3965 Load a LV2 (LADSPA Version 2) plugin.
3966
3967 To enable compilation of this filter you need to configure FFmpeg with
3968 @code{--enable-lv2}.
3969
3970 @table @option
3971 @item plugin, p
3972 Specifies the plugin URI. You may need to escape ':'.
3973
3974 @item controls, c
3975 Set the '|' separated list of controls which are zero or more floating point
3976 values that determine the behavior of the loaded plugin (for example delay,
3977 threshold or gain).
3978 If @option{controls} is set to @code{help}, all available controls and
3979 their valid ranges are printed.
3980
3981 @item sample_rate, s
3982 Specify the sample rate, default to 44100. Only used if plugin have
3983 zero inputs.
3984
3985 @item nb_samples, n
3986 Set the number of samples per channel per each output frame, default
3987 is 1024. Only used if plugin have zero inputs.
3988
3989 @item duration, d
3990 Set the minimum duration of the sourced audio. See
3991 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
3992 for the accepted syntax.
3993 Note that the resulting duration may be greater than the specified duration,
3994 as the generated audio is always cut at the end of a complete frame.
3995 If not specified, or the expressed duration is negative, the audio is
3996 supposed to be generated forever.
3997 Only used if plugin have zero inputs.
3998 @end table
3999
4000 @subsection Examples
4001
4002 @itemize
4003 @item
4004 Apply bass enhancer plugin from Calf:
4005 @example
4006 lv2=p=http\\\\://calf.sourceforge.net/plugins/BassEnhancer:c=amount=2
4007 @end example
4008
4009 @item
4010 Apply vinyl plugin from Calf:
4011 @example
4012 lv2=p=http\\\\://calf.sourceforge.net/plugins/Vinyl:c=drone=0.2|aging=0.5
4013 @end example
4014
4015 @item
4016 Apply bit crusher plugin from ArtyFX:
4017 @example
4018 lv2=p=http\\\\://www.openavproductions.com/artyfx#bitta:c=crush=0.3
4019 @end example
4020 @end itemize
4021
4022 @section mcompand
4023 Multiband Compress or expand the audio's dynamic range.
4024
4025 The input audio is divided into bands using 4th order Linkwitz-Riley IIRs.
4026 This is akin to the crossover of a loudspeaker, and results in flat frequency
4027 response when absent compander action.
4028
4029 It accepts the following parameters:
4030
4031 @table @option
4032 @item args
4033 This option syntax is:
4034 attack,decay,[attack,decay..] soft-knee points crossover_frequency [delay [initial_volume [gain]]] | attack,decay ...
4035 For explanation of each item refer to compand filter documentation.
4036 @end table
4037
4038 @anchor{pan}
4039 @section pan
4040
4041 Mix channels with specific gain levels. The filter accepts the output
4042 channel layout followed by a set of channels definitions.
4043
4044 This filter is also designed to efficiently remap the channels of an audio
4045 stream.
4046
4047 The filter accepts parameters of the form:
4048 "@var{l}|@var{outdef}|@var{outdef}|..."
4049
4050 @table @option
4051 @item l
4052 output channel layout or number of channels
4053
4054 @item outdef
4055 output channel specification, of the form:
4056 "@var{out_name}=[@var{gain}*]@var{in_name}[(+-)[@var{gain}*]@var{in_name}...]"
4057
4058 @item out_name
4059 output channel to define, either a channel name (FL, FR, etc.) or a channel
4060 number (c0, c1, etc.)
4061
4062 @item gain
4063 multiplicative coefficient for the channel, 1 leaving the volume unchanged
4064
4065 @item in_name
4066 input channel to use, see out_name for details; it is not possible to mix
4067 named and numbered input channels
4068 @end table
4069
4070 If the `=' in a channel specification is replaced by `<', then the gains for
4071 that specification will be renormalized so that the total is 1, thus
4072 avoiding clipping noise.
4073
4074 @subsection Mixing examples
4075
4076 For example, if you want to down-mix from stereo to mono, but with a bigger
4077 factor for the left channel:
4078 @example
4079 pan=1c|c0=0.9*c0+0.1*c1
4080 @end example
4081
4082 A customized down-mix to stereo that works automatically for 3-, 4-, 5- and
4083 7-channels surround:
4084 @example
4085 pan=stereo| FL < FL + 0.5*FC + 0.6*BL + 0.6*SL | FR < FR + 0.5*FC + 0.6*BR + 0.6*SR
4086 @end example
4087
4088 Note that @command{ffmpeg} integrates a default down-mix (and up-mix) system
4089 that should be preferred (see "-ac" option) unless you have very specific
4090 needs.
4091
4092 @subsection Remapping examples
4093
4094 The channel remapping will be effective if, and only if:
4095
4096 @itemize
4097 @item gain coefficients are zeroes or ones,
4098 @item only one input per channel output,
4099 @end itemize
4100
4101 If all these conditions are satisfied, the filter will notify the user ("Pure
4102 channel mapping detected"), and use an optimized and lossless method to do the
4103 remapping.
4104
4105 For example, if you have a 5.1 source and want a stereo audio stream by
4106 dropping the extra channels:
4107 @example
4108 pan="stereo| c0=FL | c1=FR"
4109 @end example
4110
4111 Given the same source, you can also switch front left and front right channels
4112 and keep the input channel layout:
4113 @example
4114 pan="5.1| c0=c1 | c1=c0 | c2=c2 | c3=c3 | c4=c4 | c5=c5"
4115 @end example
4116
4117 If the input is a stereo audio stream, you can mute the front left channel (and
4118 still keep the stereo channel layout) with:
4119 @example
4120 pan="stereo|c1=c1"
4121 @end example
4122
4123 Still with a stereo audio stream input, you can copy the right channel in both
4124 front left and right:
4125 @example
4126 pan="stereo| c0=FR | c1=FR"
4127 @end example
4128
4129 @section replaygain
4130
4131 ReplayGain scanner filter. This filter takes an audio stream as an input and
4132 outputs it unchanged.
4133 At end of filtering it displays @code{track_gain} and @code{track_peak}.
4134
4135 @section resample
4136
4137 Convert the audio sample format, sample rate and channel layout. It is
4138 not meant to be used directly.
4139
4140 @section rubberband
4141 Apply time-stretching and pitch-shifting with librubberband.
4142
4143 To enable compilation of this filter, you need to configure FFmpeg with
4144 @code{--enable-librubberband}.
4145
4146 The filter accepts the following options:
4147
4148 @table @option
4149 @item tempo
4150 Set tempo scale factor.
4151
4152 @item pitch
4153 Set pitch scale factor.
4154
4155 @item transients
4156 Set transients detector.
4157 Possible values are:
4158 @table @var
4159 @item crisp
4160 @item mixed
4161 @item smooth
4162 @end table
4163
4164 @item detector
4165 Set detector.
4166 Possible values are:
4167 @table @var
4168 @item compound
4169 @item percussive
4170 @item soft
4171 @end table
4172
4173 @item phase
4174 Set phase.
4175 Possible values are:
4176 @table @var
4177 @item laminar
4178 @item independent
4179 @end table
4180
4181 @item window
4182 Set processing window size.
4183 Possible values are:
4184 @table @var
4185 @item standard
4186 @item short
4187 @item long
4188 @end table
4189
4190 @item smoothing
4191 Set smoothing.
4192 Possible values are:
4193 @table @var
4194 @item off
4195 @item on
4196 @end table
4197
4198 @item formant
4199 Enable formant preservation when shift pitching.
4200 Possible values are:
4201 @table @var
4202 @item shifted
4203 @item preserved
4204 @end table
4205
4206 @item pitchq
4207 Set pitch quality.
4208 Possible values are:
4209 @table @var
4210 @item quality
4211 @item speed
4212 @item consistency
4213 @end table
4214
4215 @item channels
4216 Set channels.
4217 Possible values are:
4218 @table @var
4219 @item apart
4220 @item together
4221 @end table
4222 @end table
4223
4224 @section sidechaincompress
4225
4226 This filter acts like normal compressor but has the ability to compress
4227 detected signal using second input signal.
4228 It needs two input streams and returns one output stream.
4229 First input stream will be processed depending on second stream signal.
4230 The filtered signal then can be filtered with other filters in later stages of
4231 processing. See @ref{pan} and @ref{amerge} filter.
4232
4233 The filter accepts the following options:
4234
4235 @table @option
4236 @item level_in
4237 Set input gain. Default is 1. Range is between 0.015625 and 64.
4238
4239 @item threshold
4240 If a signal of second stream raises above this level it will affect the gain
4241 reduction of first stream.
4242 By default is 0.125. Range is between 0.00097563 and 1.
4243
4244 @item ratio
4245 Set a ratio about which the signal is reduced. 1:2 means that if the level
4246 raised 4dB above the threshold, it will be only 2dB above after the reduction.
4247 Default is 2. Range is between 1 and 20.
4248
4249 @item attack
4250 Amount of milliseconds the signal has to rise above the threshold before gain
4251 reduction starts. Default is 20. Range is between 0.01 and 2000.
4252
4253 @item release
4254 Amount of milliseconds the signal has to fall below the threshold before
4255 reduction is decreased again. Default is 250. Range is between 0.01 and 9000.
4256
4257 @item makeup
4258 Set the amount by how much signal will be amplified after processing.
4259 Default is 1. Range is from 1 to 64.
4260
4261 @item knee
4262 Curve the sharp knee around the threshold to enter gain reduction more softly.
4263 Default is 2.82843. Range is between 1 and 8.
4264
4265 @item link
4266 Choose if the @code{average} level between all channels of side-chain stream
4267 or the louder(@code{maximum}) channel of side-chain stream affects the
4268 reduction. Default is @code{average}.
4269
4270 @item detection
4271 Should the exact signal be taken in case of @code{peak} or an RMS one in case
4272 of @code{rms}. Default is @code{rms} which is mainly smoother.
4273
4274 @item level_sc
4275 Set sidechain gain. Default is 1. Range is between 0.015625 and 64.
4276
4277 @item mix
4278 How much to use compressed signal in output. Default is 1.
4279 Range is between 0 and 1.
4280 @end table
4281
4282 @subsection Examples
4283
4284 @itemize
4285 @item
4286 Full ffmpeg example taking 2 audio inputs, 1st input to be compressed
4287 depending on the signal of 2nd input and later compressed signal to be
4288 merged with 2nd input:
4289 @example
4290 ffmpeg -i main.flac -i sidechain.flac -filter_complex "[1:a]asplit=2[sc][mix];[0:a][sc]sidechaincompress[compr];[compr][mix]amerge"
4291 @end example
4292 @end itemize
4293
4294 @section sidechaingate
4295
4296 A sidechain gate acts like a normal (wideband) gate but has the ability to
4297 filter the detected signal before sending it to the gain reduction stage.
4298 Normally a gate uses the full range signal to detect a level above the
4299 threshold.
4300 For example: If you cut all lower frequencies from your sidechain signal
4301 the gate will decrease the volume of your track only if not enough highs
4302 appear. With this technique you are able to reduce the resonation of a
4303 natural drum or remove "rumbling" of muted strokes from a heavily distorted
4304 guitar.
4305 It needs two input streams and returns one output stream.
4306 First input stream will be processed depending on second stream signal.
4307
4308 The filter accepts the following options:
4309
4310 @table @option
4311 @item level_in
4312 Set input level before filtering.
4313 Default is 1. Allowed range is from 0.015625 to 64.
4314
4315 @item range
4316 Set the level of gain reduction when the signal is below the threshold.
4317 Default is 0.06125. Allowed range is from 0 to 1.
4318
4319 @item threshold
4320 If a signal rises above this level the gain reduction is released.
4321 Default is 0.125. Allowed range is from 0 to 1.
4322
4323 @item ratio
4324 Set a ratio about which the signal is reduced.
4325 Default is 2. Allowed range is from 1 to 9000.
4326
4327 @item attack
4328 Amount of milliseconds the signal has to rise above the threshold before gain
4329 reduction stops.
4330 Default is 20 milliseconds. Allowed range is from 0.01 to 9000.
4331
4332 @item release
4333 Amount of milliseconds the signal has to fall below the threshold before the
4334 reduction is increased again. Default is 250 milliseconds.
4335 Allowed range is from 0.01 to 9000.
4336
4337 @item makeup
4338 Set amount of amplification of signal after processing.
4339 Default is 1. Allowed range is from 1 to 64.
4340
4341 @item knee
4342 Curve the sharp knee around the threshold to enter gain reduction more softly.
4343 Default is 2.828427125. Allowed range is from 1 to 8.
4344
4345 @item detection
4346 Choose if exact signal should be taken for detection or an RMS like one.
4347 Default is rms. Can be peak or rms.
4348
4349 @item link
4350 Choose if the average level between all channels or the louder channel affects
4351 the reduction.
4352 Default is average. Can be average or maximum.
4353
4354 @item level_sc
4355 Set sidechain gain. Default is 1. Range is from 0.015625 to 64.
4356 @end table
4357
4358 @section silencedetect
4359
4360 Detect silence in an audio stream.
4361
4362 This filter logs a message when it detects that the input audio volume is less
4363 or equal to a noise tolerance value for a duration greater or equal to the
4364 minimum detected noise duration.
4365
4366 The printed times and duration are expressed in seconds.
4367
4368 The filter accepts the following options:
4369
4370 @table @option
4371 @item noise, n
4372 Set noise tolerance. Can be specified in dB (in case "dB" is appended to the
4373 specified value) or amplitude ratio. Default is -60dB, or 0.001.
4374
4375 @item duration, d
4376 Set silence duration until notification (default is 2 seconds).
4377
4378 @item mono, m
4379 Process each channel separately, instead of combined. By default is disabled.
4380 @end table
4381
4382 @subsection Examples
4383
4384 @itemize
4385 @item
4386 Detect 5 seconds of silence with -50dB noise tolerance:
4387 @example
4388 silencedetect=n=-50dB:d=5
4389 @end example
4390
4391 @item
4392 Complete example with @command{ffmpeg} to detect silence with 0.0001 noise
4393 tolerance in @file{silence.mp3}:
4394 @example
4395 ffmpeg -i silence.mp3 -af silencedetect=noise=0.0001 -f null -
4396 @end example
4397 @end itemize
4398
4399 @section silenceremove
4400
4401 Remove silence from the beginning, middle or end of the audio.
4402
4403 The filter accepts the following options:
4404
4405 @table @option
4406 @item start_periods
4407 This value is used to indicate if audio should be trimmed at beginning of
4408 the audio. A value of zero indicates no silence should be trimmed from the
4409 beginning. When specifying a non-zero value, it trims audio up until it
4410 finds non-silence. Normally, when trimming silence from beginning of audio
4411 the @var{start_periods} will be @code{1} but it can be increased to higher
4412 values to trim all audio up to specific count of non-silence periods.
4413 Default value is @code{0}.
4414
4415 @item start_duration
4416 Specify the amount of time that non-silence must be detected before it stops
4417 trimming audio. By increasing the duration, bursts of noises can be treated
4418 as silence and trimmed off. Default value is @code{0}.
4419
4420 @item start_threshold
4421 This indicates what sample value should be treated as silence. For digital
4422 audio, a value of @code{0} may be fine but for audio recorded from analog,
4423 you may wish to increase the value to account for background noise.
4424 Can be specified in dB (in case "dB" is appended to the specified value)
4425 or amplitude ratio. Default value is @code{0}.
4426
4427 @item start_silence
4428 Specify max duration of silence at beginning that will be kept after
4429 trimming. Default is 0, which is equal to trimming all samples detected
4430 as silence.
4431
4432 @item start_mode
4433 Specify mode of detection of silence end in start of multi-channel audio.
4434 Can be @var{any} or @var{all}. Default is @var{any}.
4435 With @var{any}, any sample that is detected as non-silence will cause
4436 stopped trimming of silence.
4437 With @var{all}, only if all channels are detected as non-silence will cause
4438 stopped trimming of silence.
4439
4440 @item stop_periods
4441 Set the count for trimming silence from the end of audio.
4442 To remove silence from the middle of a file, specify a @var{stop_periods}
4443 that is negative. This value is then treated as a positive value and is
4444 used to indicate the effect should restart processing as specified by
4445 @var{start_periods}, making it suitable for removing periods of silence
4446 in the middle of the audio.
4447 Default value is @code{0}.
4448
4449 @item stop_duration
4450 Specify a duration of silence that must exist before audio is not copied any
4451 more. By specifying a higher duration, silence that is wanted can be left in
4452 the audio.
4453 Default value is @code{0}.
4454
4455 @item stop_threshold
4456 This is the same as @option{start_threshold} but for trimming silence from
4457 the end of audio.
4458 Can be specified in dB (in case "dB" is appended to the specified value)
4459 or amplitude ratio. Default value is @code{0}.
4460
4461 @item stop_silence
4462 Specify max duration of silence at end that will be kept after
4463 trimming. Default is 0, which is equal to trimming all samples detected
4464 as silence.
4465
4466 @item stop_mode
4467 Specify mode of detection of silence start in end of multi-channel audio.
4468 Can be @var{any} or @var{all}. Default is @var{any}.
4469 With @var{any}, any sample that is detected as non-silence will cause
4470 stopped trimming of silence.
4471 With @var{all}, only if all channels are detected as non-silence will cause
4472 stopped trimming of silence.
4473
4474 @item detection
4475 Set how is silence detected. Can be @code{rms} or @code{peak}. Second is faster
4476 and works better with digital silence which is exactly 0.
4477 Default value is @code{rms}.
4478
4479 @item window
4480 Set duration in number of seconds used to calculate size of window in number
4481 of samples for detecting silence.
4482 Default value is @code{0.02}. Allowed range is from @code{0} to @code{10}.
4483 @end table
4484
4485 @subsection Examples
4486
4487 @itemize
4488 @item
4489 The following example shows how this filter can be used to start a recording
4490 that does not contain the delay at the start which usually occurs between
4491 pressing the record button and the start of the performance:
4492 @example
4493 silenceremove=start_periods=1:start_duration=5:start_threshold=0.02
4494 @end example
4495
4496 @item
4497 Trim all silence encountered from beginning to end where there is more than 1
4498 second of silence in audio:
4499 @example
4500 silenceremove=stop_periods=-1:stop_duration=1:stop_threshold=-90dB
4501 @end example
4502 @end itemize
4503
4504 @section sofalizer
4505
4506 SOFAlizer uses head-related transfer functions (HRTFs) to create virtual
4507 loudspeakers around the user for binaural listening via headphones (audio
4508 formats up to 9 channels supported).
4509 The HRTFs are stored in SOFA files (see @url{http://www.sofacoustics.org/} for a database).
4510 SOFAlizer is developed at the Acoustics Research Institute (ARI) of the
4511 Austrian Academy of Sciences.
4512
4513 To enable compilation of this filter you need to configure FFmpeg with
4514 @code{--enable-libmysofa}.
4515
4516 The filter accepts the following options:
4517
4518 @table @option
4519 @item sofa
4520 Set the SOFA file used for rendering.
4521
4522 @item gain
4523 Set gain applied to audio. Value is in dB. Default is 0.
4524
4525 @item rotation
4526 Set rotation of virtual loudspeakers in deg. Default is 0.
4527
4528 @item elevation
4529 Set elevation of virtual speakers in deg. Default is 0.
4530
4531 @item radius
4532 Set distance in meters between loudspeakers and the listener with near-field
4533 HRTFs. Default is 1.
4534
4535 @item type
4536 Set processing type. Can be @var{time} or @var{freq}. @var{time} is
4537 processing audio in time domain which is slow.
4538 @var{freq} is processing audio in frequency domain which is fast.
4539 Default is @var{freq}.
4540
4541 @item speakers
4542 Set custom positions of virtual loudspeakers. Syntax for this option is:
4543 <CH> <AZIM> <ELEV>[|<CH> <AZIM> <ELEV>|...].
4544 Each virtual loudspeaker is described with short channel name following with
4545 azimuth and elevation in degrees.
4546 Each virtual loudspeaker description is separated by '|'.
4547 For example to override front left and front right channel positions use:
4548 'speakers=FL 45 15|FR 345 15'.
4549 Descriptions with unrecognised channel names are ignored.
4550
4551 @item lfegain
4552 Set custom gain for LFE channels. Value is in dB. Default is 0.
4553
4554 @item framesize
4555 Set custom frame size in number of samples. Default is 1024.
4556 Allowed range is from 1024 to 96000. Only used if option @samp{type}
4557 is set to @var{freq}.
4558
4559 @item normalize
4560 Should all IRs be normalized upon importing SOFA file.
4561 By default is enabled.
4562
4563 @item interpolate
4564 Should nearest IRs be interpolated with neighbor IRs if exact position
4565 does not match. By default is disabled.
4566
4567 @item minphase
4568 Minphase all IRs upon loading of SOFA file. By default is disabled.
4569
4570 @item anglestep
4571 Set neighbor search angle step. Only used if option @var{interpolate} is enabled.
4572
4573 @item radstep
4574 Set neighbor search radius step. Only used if option @var{interpolate} is enabled.
4575 @end table
4576
4577 @subsection Examples
4578
4579 @itemize
4580 @item
4581 Using ClubFritz6 sofa file:
4582 @example
4583 sofalizer=sofa=/path/to/ClubFritz6.sofa:type=freq:radius=1
4584 @end example
4585
4586 @item
4587 Using ClubFritz12 sofa file and bigger radius with small rotation:
4588 @example
4589 sofalizer=sofa=/path/to/ClubFritz12.sofa:type=freq:radius=2:rotation=5
4590 @end example
4591
4592 @item
4593 Similar as above but with custom speaker positions for front left, front right, back left and back right
4594 and also with custom gain:
4595 @example
4596 "sofalizer=sofa=/path/to/ClubFritz6.sofa:type=freq:radius=2:speakers=FL 45|FR 315|BL 135|BR 225:gain=28"
4597 @end example
4598 @end itemize
4599
4600 @section stereotools
4601
4602 This filter has some handy utilities to manage stereo signals, for converting
4603 M/S stereo recordings to L/R signal while having control over the parameters
4604 or spreading the stereo image of master track.
4605
4606 The filter accepts the following options:
4607
4608 @table @option
4609 @item level_in
4610 Set input level before filtering for both channels. Defaults is 1.
4611 Allowed range is from 0.015625 to 64.
4612
4613 @item level_out
4614 Set output level after filtering for both channels. Defaults is 1.
4615 Allowed range is from 0.015625 to 64.
4616
4617 @item balance_in
4618 Set input balance between both channels. Default is 0.
4619 Allowed range is from -1 to 1.
4620
4621 @item balance_out
4622 Set output balance between both channels. Default is 0.
4623 Allowed range is from -1 to 1.
4624
4625 @item softclip
4626 Enable softclipping. Results in analog distortion instead of harsh digital 0dB
4627 clipping. Disabled by default.
4628
4629 @item mutel
4630 Mute the left channel. Disabled by default.
4631
4632 @item muter
4633 Mute the right channel. Disabled by default.
4634
4635 @item phasel
4636 Change the phase of the left channel. Disabled by default.
4637
4638 @item phaser
4639 Change the phase of the right channel. Disabled by default.
4640
4641 @item mode
4642 Set stereo mode. Available values are:
4643
4644 @table @samp
4645 @item lr>lr
4646 Left/Right to Left/Right, this is default.
4647
4648 @item lr>ms
4649 Left/Right to Mid/Side.
4650
4651 @item ms>lr
4652 Mid/Side to Left/Right.
4653
4654 @item lr>ll
4655 Left/Right to Left/Left.
4656
4657 @item lr>rr
4658 Left/Right to Right/Right.
4659
4660 @item lr>l+r
4661 Left/Right to Left + Right.
4662
4663 @item lr>rl
4664 Left/Right to Right/Left.
4665
4666 @item ms>ll
4667 Mid/Side to Left/Left.
4668
4669 @item ms>rr
4670 Mid/Side to Right/Right.
4671 @end table
4672
4673 @item slev
4674 Set level of side signal. Default is 1.
4675 Allowed range is from 0.015625 to 64.
4676
4677 @item sbal
4678 Set balance of side signal. Default is 0.
4679 Allowed range is from -1 to 1.
4680
4681 @item mlev
4682 Set level of the middle signal. Default is 1.
4683 Allowed range is from 0.015625 to 64.
4684
4685 @item mpan
4686 Set middle signal pan. Default is 0. Allowed range is from -1 to 1.
4687
4688 @item base
4689 Set stereo base between mono and inversed channels. Default is 0.
4690 Allowed range is from -1 to 1.
4691
4692 @item delay
4693 Set delay in milliseconds how much to delay left from right channel and
4694 vice versa. Default is 0. Allowed range is from -20 to 20.
4695
4696 @item sclevel
4697 Set S/C level. Default is 1. Allowed range is from 1 to 100.
4698
4699 @item phase
4700 Set the stereo phase in degrees. Default is 0. Allowed range is from 0 to 360.
4701
4702 @item bmode_in, bmode_out
4703 Set balance mode for balance_in/balance_out option.
4704
4705 Can be one of the following:
4706
4707 @table @samp
4708 @item balance
4709 Classic balance mode. Attenuate one channel at time.
4710 Gain is raised up to 1.
4711
4712 @item amplitude
4713 Similar as classic mode above but gain is raised up to 2.
4714
4715 @item power
4716 Equal power distribution, from -6dB to +6dB range.
4717 @end table
4718 @end table
4719
4720 @subsection Examples
4721
4722 @itemize
4723 @item
4724 Apply karaoke like effect:
4725 @example
4726 stereotools=mlev=0.015625
4727 @end example
4728
4729 @item
4730 Convert M/S signal to L/R:
4731 @example
4732 "stereotools=mode=ms>lr"
4733 @end example
4734 @end itemize
4735
4736 @section stereowiden
4737
4738 This filter enhance the stereo effect by suppressing signal common to both
4739 channels and by delaying the signal of left into right and vice versa,
4740 thereby widening the stereo effect.
4741
4742 The filter accepts the following options:
4743
4744 @table @option
4745 @item delay
4746 Time in milliseconds of the delay of left signal into right and vice versa.
4747 Default is 20 milliseconds.
4748
4749 @item feedback
4750 Amount of gain in delayed signal into right and vice versa. Gives a delay
4751 effect of left signal in right output and vice versa which gives widening
4752 effect. Default is 0.3.
4753
4754 @item crossfeed
4755 Cross feed of left into right with inverted phase. This helps in suppressing
4756 the mono. If the value is 1 it will cancel all the signal common to both
4757 channels. Default is 0.3.
4758
4759 @item drymix
4760 Set level of input signal of original channel. Default is 0.8.
4761 @end table
4762
4763 @section superequalizer
4764 Apply 18 band equalizer.
4765
4766 The filter accepts the following options:
4767 @table @option
4768 @item 1b
4769 Set 65Hz band gain.
4770 @item 2b
4771 Set 92Hz band gain.
4772 @item 3b
4773 Set 131Hz band gain.
4774 @item 4b
4775 Set 185Hz band gain.
4776 @item 5b
4777 Set 262Hz band gain.
4778 @item 6b
4779 Set 370Hz band gain.
4780 @item 7b
4781 Set 523Hz band gain.
4782 @item 8b
4783 Set 740Hz band gain.
4784 @item 9b
4785 Set 1047Hz band gain.
4786 @item 10b
4787 Set 1480Hz band gain.
4788 @item 11b
4789 Set 2093Hz band gain.
4790 @item 12b
4791 Set 2960Hz band gain.
4792 @item 13b
4793 Set 4186Hz band gain.
4794 @item 14b
4795 Set 5920Hz band gain.
4796 @item 15b
4797 Set 8372Hz band gain.
4798 @item 16b
4799 Set 11840Hz band gain.
4800 @item 17b
4801 Set 16744Hz band gain.
4802 @item 18b
4803 Set 20000Hz band gain.
4804 @end table
4805
4806 @section surround
4807 Apply audio surround upmix filter.
4808
4809 This filter allows to produce multichannel output from audio stream.
4810
4811 The filter accepts the following options:
4812
4813 @table @option
4814 @item chl_out
4815 Set output channel layout. By default, this is @var{5.1}.
4816
4817 See @ref{channel layout syntax,,the Channel Layout section in the ffmpeg-utils(1) manual,ffmpeg-utils}
4818 for the required syntax.
4819
4820 @item chl_in
4821 Set input channel layout. By default, this is @var{stereo}.
4822
4823 See @ref{channel layout syntax,,the Channel Layout section in the ffmpeg-utils(1) manual,ffmpeg-utils}
4824 for the required syntax.
4825
4826 @item level_in
4827 Set input volume level. By default, this is @var{1}.
4828
4829 @item level_out
4830 Set output volume level. By default, this is @var{1}.
4831
4832 @item lfe
4833 Enable LFE channel output if output channel layout has it. By default, this is enabled.
4834
4835 @item lfe_low
4836 Set LFE low cut off frequency. By default, this is @var{128} Hz.
4837
4838 @item lfe_high
4839 Set LFE high cut off frequency. By default, this is @var{256} Hz.
4840
4841 @item fc_in
4842 Set front center input volume. By default, this is @var{1}.
4843
4844 @item fc_out
4845 Set front center output volume. By default, this is @var{1}.
4846
4847 @item lfe_in
4848 Set LFE input volume. By default, this is @var{1}.
4849
4850 @item lfe_out
4851 Set LFE output volume. By default, this is @var{1}.
4852 @end table
4853
4854 @section treble, highshelf
4855
4856 Boost or cut treble (upper) frequencies of the audio using a two-pole
4857 shelving filter with a response similar to that of a standard
4858 hi-fi's tone-controls. This is also known as shelving equalisation (EQ).
4859
4860 The filter accepts the following options:
4861
4862 @table @option
4863 @item gain, g
4864 Give the gain at whichever is the lower of ~22 kHz and the
4865 Nyquist frequency. Its useful range is about -20 (for a large cut)
4866 to +20 (for a large boost). Beware of clipping when using a positive gain.
4867
4868 @item frequency, f
4869 Set the filter's central frequency and so can be used
4870 to extend or reduce the frequency range to be boosted or cut.
4871 The default value is @code{3000} Hz.
4872
4873 @item width_type, t
4874 Set method to specify band-width of filter.
4875 @table @option
4876 @item h
4877 Hz
4878 @item q
4879 Q-Factor
4880 @item o
4881 octave
4882 @item s
4883 slope
4884 @item k
4885 kHz
4886 @end table
4887
4888 @item width, w
4889 Determine how steep is the filter's shelf transition.
4890
4891 @item channels, c
4892 Specify which channels to filter, by default all available are filtered.
4893 @end table
4894
4895 @subsection Commands
4896
4897 This filter supports the following commands:
4898 @table @option
4899 @item frequency, f
4900 Change treble frequency.
4901 Syntax for the command is : "@var{frequency}"
4902
4903 @item width_type, t
4904 Change treble width_type.
4905 Syntax for the command is : "@var{width_type}"
4906
4907 @item width, w
4908 Change treble width.
4909 Syntax for the command is : "@var{width}"
4910
4911 @item gain, g
4912 Change treble gain.
4913 Syntax for the command is : "@var{gain}"
4914 @end table
4915
4916 @section tremolo
4917
4918 Sinusoidal amplitude modulation.
4919
4920 The filter accepts the following options:
4921
4922 @table @option
4923 @item f
4924 Modulation frequency in Hertz. Modulation frequencies in the subharmonic range
4925 (20 Hz or lower) will result in a tremolo effect.
4926 This filter may also be used as a ring modulator by specifying
4927 a modulation frequency higher than 20 Hz.
4928 Range is 0.1 - 20000.0. Default value is 5.0 Hz.
4929
4930 @item d
4931 Depth of modulation as a percentage. Range is 0.0 - 1.0.
4932 Default value is 0.5.
4933 @end table
4934
4935 @section vibrato
4936
4937 Sinusoidal phase modulation.
4938
4939 The filter accepts the following options:
4940
4941 @table @option
4942 @item f
4943 Modulation frequency in Hertz.
4944 Range is 0.1 - 20000.0. Default value is 5.0 Hz.
4945
4946 @item d
4947 Depth of modulation as a percentage. Range is 0.0 - 1.0.
4948 Default value is 0.5.
4949 @end table
4950
4951 @section volume
4952
4953 Adjust the input audio volume.
4954
4955 It accepts the following parameters:
4956 @table @option
4957
4958 @item volume
4959 Set audio volume expression.
4960
4961 Output values are clipped to the maximum value.
4962
4963 The output audio volume is given by the relation:
4964 @example
4965 @var{output_volume} = @var{volume} * @var{input_volume}
4966 @end example
4967
4968 The default value for @var{volume} is "1.0".
4969
4970 @item precision
4971 This parameter represents the mathematical precision.
4972
4973 It determines which input sample formats will be allowed, which affects the
4974 precision of the volume scaling.
4975
4976 @table @option
4977 @item fixed
4978 8-bit fixed-point; this limits input sample format to U8, S16, and S32.
4979 @item float
4980 32-bit floating-point; this limits input sample format to FLT. (default)
4981 @item double
4982 64-bit floating-point; this limits input sample format to DBL.
4983 @end table
4984
4985 @item replaygain
4986 Choose the behaviour on encountering ReplayGain side data in input frames.
4987
4988 @table @option
4989 @item drop
4990 Remove ReplayGain side data, ignoring its contents (the default).
4991
4992 @item ignore
4993 Ignore ReplayGain side data, but leave it in the frame.
4994
4995 @item track
4996 Prefer the track gain, if present.
4997
4998 @item album
4999 Prefer the album gain, if present.
5000 @end table
5001
5002 @item replaygain_preamp
5003 Pre-amplification gain in dB to apply to the selected replaygain gain.
5004
5005 Default value for @var{replaygain_preamp} is 0.0.
5006
5007 @item eval
5008 Set when the volume expression is evaluated.
5009
5010 It accepts the following values:
5011 @table @samp
5012 @item once
5013 only evaluate expression once during the filter initialization, or
5014 when the @samp{volume} command is sent
5015
5016 @item frame
5017 evaluate expression for each incoming frame
5018 @end table
5019
5020 Default value is @samp{once}.
5021 @end table
5022
5023 The volume expression can contain the following parameters.
5024
5025 @table @option
5026 @item n
5027 frame number (starting at zero)
5028 @item nb_channels
5029 number of channels
5030 @item nb_consumed_samples
5031 number of samples consumed by the filter
5032 @item nb_samples
5033 number of samples in the current frame
5034 @item pos
5035 original frame position in the file
5036 @item pts
5037 frame PTS
5038 @item sample_rate
5039 sample rate
5040 @item startpts
5041 PTS at start of stream
5042 @item startt
5043 time at start of stream
5044 @item t
5045 frame time
5046 @item tb
5047 timestamp timebase
5048 @item volume
5049 last set volume value
5050 @end table
5051
5052 Note that when @option{eval} is set to @samp{once} only the
5053 @var{sample_rate} and @var{tb} variables are available, all other
5054 variables will evaluate to NAN.
5055
5056 @subsection Commands
5057
5058 This filter supports the following commands:
5059 @table @option
5060 @item volume
5061 Modify the volume expression.
5062 The command accepts the same syntax of the corresponding option.
5063
5064 If the specified expression is not valid, it is kept at its current
5065 value.
5066 @item replaygain_noclip
5067 Prevent clipping by limiting the gain applied.
5068
5069 Default value for @var{replaygain_noclip} is 1.
5070
5071 @end table
5072
5073 @subsection Examples
5074
5075 @itemize
5076 @item
5077 Halve the input audio volume:
5078 @example
5079 volume=volume=0.5
5080 volume=volume=1/2
5081 volume=volume=-6.0206dB
5082 @end example
5083
5084 In all the above example the named key for @option{volume} can be
5085 omitted, for example like in:
5086 @example
5087 volume=0.5
5088 @end example
5089
5090 @item
5091 Increase input audio power by 6 decibels using fixed-point precision:
5092 @example
5093 volume=volume=6dB:precision=fixed
5094 @end example
5095
5096 @item
5097 Fade volume after time 10 with an annihilation period of 5 seconds:
5098 @example
5099 volume='if(lt(t,10),1,max(1-(t-10)/5,0))':eval=frame
5100 @end example
5101 @end itemize
5102
5103 @section volumedetect
5104
5105 Detect the volume of the input video.
5106
5107 The filter has no parameters. The input is not modified. Statistics about
5108 the volume will be printed in the log when the input stream end is reached.
5109
5110 In particular it will show the mean volume (root mean square), maximum
5111 volume (on a per-sample basis), and the beginning of a histogram of the
5112 registered volume values (from the maximum value to a cumulated 1/1000 of
5113 the samples).
5114
5115 All volumes are in decibels relative to the maximum PCM value.
5116
5117 @subsection Examples
5118
5119 Here is an excerpt of the output:
5120 @example
5121 [Parsed_volumedetect_0 @ 0xa23120] mean_volume: -27 dB
5122 [Parsed_volumedetect_0 @ 0xa23120] max_volume: -4 dB
5123 [Parsed_volumedetect_0 @ 0xa23120] histogram_4db: 6
5124 [Parsed_volumedetect_0 @ 0xa23120] histogram_5db: 62
5125 [Parsed_volumedetect_0 @ 0xa23120] histogram_6db: 286
5126 [Parsed_volumedetect_0 @ 0xa23120] histogram_7db: 1042
5127 [Parsed_volumedetect_0 @ 0xa23120] histogram_8db: 2551
5128 [Parsed_volumedetect_0 @ 0xa23120] histogram_9db: 4609
5129 [Parsed_volumedetect_0 @ 0xa23120] histogram_10db: 8409
5130 @end example
5131
5132 It means that:
5133 @itemize
5134 @item
5135 The mean square energy is approximately -27 dB, or 10^-2.7.
5136 @item
5137 The largest sample is at -4 dB, or more precisely between -4 dB and -5 dB.
5138 @item
5139 There are 6 samples at -4 dB, 62 at -5 dB, 286 at -6 dB, etc.
5140 @end itemize
5141
5142 In other words, raising the volume by +4 dB does not cause any clipping,
5143 raising it by +5 dB causes clipping for 6 samples, etc.
5144
5145 @c man end AUDIO FILTERS
5146
5147 @chapter Audio Sources
5148 @c man begin AUDIO SOURCES
5149
5150 Below is a description of the currently available audio sources.
5151
5152 @section abuffer
5153
5154 Buffer audio frames, and make them available to the filter chain.
5155
5156 This source is mainly intended for a programmatic use, in particular
5157 through the interface defined in @file{libavfilter/asrc_abuffer.h}.
5158
5159 It accepts the following parameters:
5160 @table @option
5161
5162 @item time_base
5163 The timebase which will be used for timestamps of submitted frames. It must be
5164 either a floating-point number or in @var{numerator}/@var{denominator} form.
5165
5166 @item sample_rate
5167 The sample rate of the incoming audio buffers.
5168
5169 @item sample_fmt
5170 The sample format of the incoming audio buffers.
5171 Either a sample format name or its corresponding integer representation from
5172 the enum AVSampleFormat in @file{libavutil/samplefmt.h}
5173
5174 @item channel_layout
5175 The channel layout of the incoming audio buffers.
5176 Either a channel layout name from channel_layout_map in
5177 @file{libavutil/channel_layout.c} or its corresponding integer representation
5178 from the AV_CH_LAYOUT_* macros in @file{libavutil/channel_layout.h}
5179
5180 @item channels
5181 The number of channels of the incoming audio buffers.
5182 If both @var{channels} and @var{channel_layout} are specified, then they
5183 must be consistent.
5184
5185 @end table
5186
5187 @subsection Examples
5188
5189 @example
5190 abuffer=sample_rate=44100:sample_fmt=s16p:channel_layout=stereo
5191 @end example
5192
5193 will instruct the source to accept planar 16bit signed stereo at 44100Hz.
5194 Since the sample format with name "s16p" corresponds to the number
5195 6 and the "stereo" channel layout corresponds to the value 0x3, this is
5196 equivalent to:
5197 @example
5198 abuffer=sample_rate=44100:sample_fmt=6:channel_layout=0x3
5199 @end example
5200
5201 @section aevalsrc
5202
5203 Generate an audio signal specified by an expression.
5204
5205 This source accepts in input one or more expressions (one for each
5206 channel), which are evaluated and used to generate a corresponding
5207 audio signal.
5208
5209 This source accepts the following options:
5210
5211 @table @option
5212 @item exprs
5213 Set the '|'-separated expressions list for each separate channel. In case the
5214 @option{channel_layout} option is not specified, the selected channel layout
5215 depends on the number of provided expressions. Otherwise the last
5216 specified expression is applied to the remaining output channels.
5217
5218 @item channel_layout, c
5219 Set the channel layout. The number of channels in the specified layout
5220 must be equal to the number of specified expressions.
5221
5222 @item duration, d
5223 Set the minimum duration of the sourced audio. See
5224 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
5225 for the accepted syntax.
5226 Note that the resulting duration may be greater than the specified
5227 duration, as the generated audio is always cut at the end of a
5228 complete frame.
5229
5230 If not specified, or the expressed duration is negative, the audio is
5231 supposed to be generated forever.
5232
5233 @item nb_samples, n
5234 Set the number of samples per channel per each output frame,
5235 default to 1024.
5236
5237 @item sample_rate, s
5238 Specify the sample rate, default to 44100.
5239 @end table
5240
5241 Each expression in @var{exprs} can contain the following constants:
5242
5243 @table @option
5244 @item n
5245 number of the evaluated sample, starting from 0
5246
5247 @item t
5248 time of the evaluated sample expressed in seconds, starting from 0
5249
5250 @item s
5251 sample rate
5252
5253 @end table
5254
5255 @subsection Examples
5256
5257 @itemize
5258 @item
5259 Generate silence:
5260 @example
5261 aevalsrc=0
5262 @end example
5263
5264 @item
5265 Generate a sin signal with frequency of 440 Hz, set sample rate to
5266 8000 Hz:
5267 @example
5268 aevalsrc="sin(440*2*PI*t):s=8000"
5269 @end example
5270
5271 @item
5272 Generate a two channels signal, specify the channel layout (Front
5273 Center + Back Center) explicitly:
5274 @example
5275 aevalsrc="sin(420*2*PI*t)|cos(430*2*PI*t):c=FC|BC"
5276 @end example
5277
5278 @item
5279 Generate white noise:
5280 @example
5281 aevalsrc="-2+random(0)"
5282 @end example
5283
5284 @item
5285 Generate an amplitude modulated signal:
5286 @example
5287 aevalsrc="sin(10*2*PI*t)*sin(880*2*PI*t)"
5288 @end example
5289
5290 @item
5291 Generate 2.5 Hz binaural beats on a 360 Hz carrier:
5292 @example
5293 aevalsrc="0.1*sin(2*PI*(360-2.5/2)*t) | 0.1*sin(2*PI*(360+2.5/2)*t)"
5294 @end example
5295
5296 @end itemize
5297
5298 @section anullsrc
5299
5300 The null audio source, return unprocessed audio frames. It is mainly useful
5301 as a template and to be employed in analysis / debugging tools, or as
5302 the source for filters which ignore the input data (for example the sox
5303 synth filter).
5304
5305 This source accepts the following options:
5306
5307 @table @option
5308
5309 @item channel_layout, cl
5310
5311 Specifies the channel layout, and can be either an integer or a string
5312 representing a channel layout. The default value of @var{channel_layout}
5313 is "stereo".
5314
5315 Check the channel_layout_map definition in
5316 @file{libavutil/channel_layout.c} for the mapping between strings and
5317 channel layout values.
5318
5319 @item sample_rate, r
5320 Specifies the sample rate, and defaults to 44100.
5321
5322 @item nb_samples, n
5323 Set the number of samples per requested frames.
5324
5325 @end table
5326
5327 @subsection Examples
5328
5329 @itemize
5330 @item
5331 Set the sample rate to 48000 Hz and the channel layout to AV_CH_LAYOUT_MONO.
5332 @example
5333 anullsrc=r=48000:cl=4
5334 @end example
5335
5336 @item
5337 Do the same operation with a more obvious syntax:
5338 @example
5339 anullsrc=r=48000:cl=mono
5340 @end example
5341 @end itemize
5342
5343 All the parameters need to be explicitly defined.
5344
5345 @section flite
5346
5347 Synthesize a voice utterance using the libflite library.
5348
5349 To enable compilation of this filter you need to configure FFmpeg with
5350 @code{--enable-libflite}.
5351
5352 Note that versions of the flite library prior to 2.0 are not thread-safe.
5353
5354 The filter accepts the following options:
5355
5356 @table @option
5357
5358 @item list_voices
5359 If set to 1, list the names of the available voices and exit
5360 immediately. Default value is 0.
5361
5362 @item nb_samples, n
5363 Set the maximum number of samples per frame. Default value is 512.
5364
5365 @item textfile
5366 Set the filename containing the text to speak.
5367
5368 @item text
5369 Set the text to speak.
5370
5371 @item voice, v
5372 Set the voice to use for the speech synthesis. Default value is
5373 @code{kal}. See also the @var{list_voices} option.
5374 @end table
5375
5376 @subsection Examples
5377
5378 @itemize
5379 @item
5380 Read from file @file{speech.txt}, and synthesize the text using the
5381 standard flite voice:
5382 @example
5383 flite=textfile=speech.txt
5384 @end example
5385
5386 @item
5387 Read the specified text selecting the @code{slt} voice:
5388 @example
5389 flite=text='So fare thee well, poor devil of a Sub-Sub, whose commentator I am':voice=slt
5390 @end example
5391
5392 @item
5393 Input text to ffmpeg:
5394 @example
5395 ffmpeg -f lavfi -i flite=text='So fare thee well, poor devil of a Sub-Sub, whose commentator I am':voice=slt
5396 @end example
5397
5398 @item
5399 Make @file{ffplay} speak the specified text, using @code{flite} and
5400 the @code{lavfi} device:
5401 @example
5402 ffplay -f lavfi flite=text='No more be grieved for which that thou hast done.'
5403 @end example
5404 @end itemize
5405
5406 For more information about libflite, check:
5407 @url{http://www.festvox.org/flite/}
5408
5409 @section anoisesrc
5410
5411 Generate a noise audio signal.
5412
5413 The filter accepts the following options:
5414
5415 @table @option
5416 @item sample_rate, r
5417 Specify the sample rate. Default value is 48000 Hz.
5418
5419 @item amplitude, a
5420 Specify the amplitude (0.0 - 1.0) of the generated audio stream. Default value
5421 is 1.0.
5422
5423 @item duration, d
5424 Specify the duration of the generated audio stream. Not specifying this option
5425 results in noise with an infinite length.
5426
5427 @item color, colour, c
5428 Specify the color of noise. Available noise colors are white, pink, brown,
5429 blue and violet. Default color is white.
5430
5431 @item seed, s
5432 Specify a value used to seed the PRNG.
5433
5434 @item nb_samples, n
5435 Set the number of samples per each output frame, default is 1024.
5436 @end table
5437
5438 @subsection Examples
5439
5440 @itemize
5441
5442 @item
5443 Generate 60 seconds of pink noise, with a 44.1 kHz sampling rate and an amplitude of 0.5:
5444 @example
5445 anoisesrc=d=60:c=pink:r=44100:a=0.5
5446 @end example
5447 @end itemize
5448
5449 @section hilbert
5450
5451 Generate odd-tap Hilbert transform FIR coefficients.
5452
5453 The resulting stream can be used with @ref{afir} filter for phase-shifting
5454 the signal by 90 degrees.
5455
5456 This is used in many matrix coding schemes and for analytic signal generation.
5457 The process is often written as a multiplication by i (or j), the imaginary unit.
5458
5459 The filter accepts the following options:
5460
5461 @table @option
5462
5463 @item sample_rate, s
5464 Set sample rate, default is 44100.
5465
5466 @item taps, t
5467 Set length of FIR filter, default is 22051.
5468
5469 @item nb_samples, n
5470 Set number of samples per each frame.
5471
5472 @item win_func, w
5473 Set window function to be used when generating FIR coefficients.
5474 @end table
5475
5476 @section sinc
5477
5478 Generate a sinc kaiser-windowed low-pass, high-pass, band-pass, or band-reject FIR coefficients.
5479
5480 The resulting stream can be used with @ref{afir} filter for filtering the audio signal.
5481
5482 The filter accepts the following options:
5483
5484 @table @option
5485 @item sample_rate, r
5486 Set sample rate, default is 44100.
5487
5488 @item nb_samples, n
5489 Set number of samples per each frame. Default is 1024.
5490
5491 @item hp
5492 Set high-pass frequency. Default is 0.
5493
5494 @item lp
5495 Set low-pass frequency. Default is 0.
5496 If high-pass frequency is lower than low-pass frequency and low-pass frequency
5497 is higher than 0 then filter will create band-pass filter coefficients,
5498 otherwise band-reject filter coefficients.
5499
5500 @item phase
5501 Set filter phase response. Default is 50. Allowed range is from 0 to 100.
5502
5503 @item beta
5504 Set Kaiser window beta.
5505
5506 @item att
5507 Set stop-band attenuation. Default is 120dB, allowed range is from 40 to 180 dB.
5508
5509 @item round
5510 Enable rounding, by default is disabled.
5511
5512 @item hptaps
5513 Set number of taps for high-pass filter.
5514
5515 @item lptaps
5516 Set number of taps for low-pass filter.
5517 @end table
5518
5519 @section sine
5520
5521 Generate an audio signal made of a sine wave with amplitude 1/8.
5522
5523 The audio signal is bit-exact.
5524
5525 The filter accepts the following options:
5526
5527 @table @option
5528
5529 @item frequency, f
5530 Set the carrier frequency. Default is 440 Hz.
5531
5532 @item beep_factor, b
5533 Enable a periodic beep every second with frequency @var{beep_factor} times
5534 the carrier frequency. Default is 0, meaning the beep is disabled.
5535
5536 @item sample_rate, r
5537 Specify the sample rate, default is 44100.
5538
5539 @item duration, d
5540 Specify the duration of the generated audio stream.
5541
5542 @item samples_per_frame
5543 Set the number of samples per output frame.
5544
5545 The expression can contain the following constants:
5546
5547 @table @option
5548 @item n
5549 The (sequential) number of the output audio frame, starting from 0.
5550
5551 @item pts
5552 The PTS (Presentation TimeStamp) of the output audio frame,
5553 expressed in @var{TB} units.
5554
5555 @item t
5556 The PTS of the output audio frame, expressed in seconds.
5557
5558 @item TB
5559 The timebase of the output audio frames.
5560 @end table
5561
5562 Default is @code{1024}.
5563 @end table
5564
5565 @subsection Examples
5566
5567 @itemize
5568
5569 @item
5570 Generate a simple 440 Hz sine wave:
5571 @example
5572 sine
5573 @end example
5574
5575 @item
5576 Generate a 220 Hz sine wave with a 880 Hz beep each second, for 5 seconds:
5577 @example
5578 sine=220:4:d=5
5579 sine=f=220:b=4:d=5
5580 sine=frequency=220:beep_factor=4:duration=5
5581 @end example
5582
5583 @item
5584 Generate a 1 kHz sine wave following @code{1602,1601,1602,1601,1602} NTSC
5585 pattern:
5586 @example
5587 sine=1000:samples_per_frame='st(0,mod(n,5)); 1602-not(not(eq(ld(0),1)+eq(ld(0),3)))'
5588 @end example
5589 @end itemize
5590
5591 @c man end AUDIO SOURCES
5592
5593 @chapter Audio Sinks
5594 @c man begin AUDIO SINKS
5595
5596 Below is a description of the currently available audio sinks.
5597
5598 @section abuffersink
5599
5600 Buffer audio frames, and make them available to the end of filter chain.
5601
5602 This sink is mainly intended for programmatic use, in particular
5603 through the interface defined in @file{libavfilter/buffersink.h}
5604 or the options system.
5605
5606 It accepts a pointer to an AVABufferSinkContext structure, which
5607 defines the incoming buffers' formats, to be passed as the opaque
5608 parameter to @code{avfilter_init_filter} for initialization.
5609 @section anullsink
5610
5611 Null audio sink; do absolutely nothing with the input audio. It is
5612 mainly useful as a template and for use in analysis / debugging
5613 tools.
5614
5615 @c man end AUDIO SINKS
5616
5617 @chapter Video Filters
5618 @c man begin VIDEO FILTERS
5619
5620 When you configure your FFmpeg build, you can disable any of the
5621 existing filters using @code{--disable-filters}.
5622 The configure output will show the video filters included in your
5623 build.
5624
5625 Below is a description of the currently available video filters.
5626
5627 @section alphaextract
5628
5629 Extract the alpha component from the input as a grayscale video. This
5630 is especially useful with the @var{alphamerge} filter.
5631
5632 @section alphamerge
5633
5634 Add or replace the alpha component of the primary input with the
5635 grayscale value of a second input. This is intended for use with
5636 @var{alphaextract} to allow the transmission or storage of frame
5637 sequences that have alpha in a format that doesn't support an alpha
5638 channel.
5639
5640 For example, to reconstruct full frames from a normal YUV-encoded video
5641 and a separate video created with @var{alphaextract}, you might use:
5642 @example
5643 movie=in_alpha.mkv [alpha]; [in][alpha] alphamerge [out]
5644 @end example
5645
5646 Since this filter is designed for reconstruction, it operates on frame
5647 sequences without considering timestamps, and terminates when either
5648 input reaches end of stream. This will cause problems if your encoding
5649 pipeline drops frames. If you're trying to apply an image as an
5650 overlay to a video stream, consider the @var{overlay} filter instead.
5651
5652 @section amplify
5653
5654 Amplify differences between current pixel and pixels of adjacent frames in
5655 same pixel location.
5656
5657 This filter accepts the following options:
5658
5659 @table @option
5660 @item radius
5661 Set frame radius. Default is 2. Allowed range is from 1 to 63.
5662 For example radius of 3 will instruct filter to calculate average of 7 frames.
5663
5664 @item factor
5665 Set factor to amplify difference. Default is 2. Allowed range is from 0 to 65535.
5666
5667 @item threshold
5668 Set threshold for difference amplification. Any difference greater or equal to
5669 this value will not alter source pixel. Default is 10.
5670 Allowed range is from 0 to 65535.
5671
5672 @item tolerance
5673 Set tolerance for difference amplification. Any difference lower to
5674 this value will not alter source pixel. Default is 0.
5675 Allowed range is from 0 to 65535.
5676
5677 @item low
5678 Set lower limit for changing source pixel. Default is 65535. Allowed range is from 0 to 65535.
5679 This option controls maximum possible value that will decrease source pixel value.
5680
5681 @item high
5682 Set high limit for changing source pixel. Default is 65535. Allowed range is from 0 to 65535.
5683 This option controls maximum possible value that will increase source pixel value.
5684
5685 @item planes
5686 Set which planes to filter. Default is all. Allowed range is from 0 to 15.
5687 @end table
5688
5689 @section ass
5690
5691 Same as the @ref{subtitles} filter, except that it doesn't require libavcodec
5692 and libavformat to work. On the other hand, it is limited to ASS (Advanced
5693 Substation Alpha) subtitles files.
5694
5695 This filter accepts the following option in addition to the common options from
5696 the @ref{subtitles} filter:
5697
5698 @table @option
5699 @item shaping
5700 Set the shaping engine
5701
5702 Available values are:
5703 @table @samp
5704 @item auto
5705 The default libass shaping engine, which is the best available.
5706 @item simple
5707 Fast, font-agnostic shaper that can do only substitutions
5708 @item complex
5709 Slower shaper using OpenType for substitutions and positioning
5710 @end table
5711
5712 The default is @code{auto}.
5713 @end table
5714
5715 @section atadenoise
5716 Apply an Adaptive Temporal Averaging Denoiser to the video input.
5717
5718 The filter accepts the following options:
5719
5720 @table @option
5721 @item 0a
5722 Set threshold A for 1st plane. Default is 0.02.
5723 Valid range is 0 to 0.3.
5724
5725 @item 0b
5726 Set threshold B for 1st plane. Default is 0.04.
5727 Valid range is 0 to 5.
5728
5729 @item 1a
5730 Set threshold A for 2nd plane. Default is 0.02.
5731 Valid range is 0 to 0.3.
5732
5733 @item 1b
5734 Set threshold B for 2nd plane. Default is 0.04.
5735 Valid range is 0 to 5.
5736
5737 @item 2a
5738 Set threshold A for 3rd plane. Default is 0.02.
5739 Valid range is 0 to 0.3.
5740
5741 @item 2b
5742 Set threshold B for 3rd plane. Default is 0.04.
5743 Valid range is 0 to 5.
5744
5745 Threshold A is designed to react on abrupt changes in the input signal and
5746 threshold B is designed to react on continuous changes in the input signal.
5747
5748 @item s
5749 Set number of frames filter will use for averaging. Default is 9. Must be odd
5750 number in range [5, 129].
5751
5752 @item p
5753 Set what planes of frame filter will use for averaging. Default is all.
5754 @end table
5755
5756 @section avgblur
5757
5758 Apply average blur filter.
5759
5760 The filter accepts the following options:
5761
5762 @table @option
5763 @item sizeX
5764 Set horizontal radius size.
5765
5766 @item planes
5767 Set which planes to filter. By default all planes are filtered.
5768
5769 @item sizeY
5770 Set vertical radius size, if zero it will be same as @code{sizeX}.
5771 Default is @code{0}.
5772 @end table
5773
5774 @section bbox
5775
5776 Compute the bounding box for the non-black pixels in the input frame
5777 luminance plane.
5778
5779 This filter computes the bounding box containing all the pixels with a
5780 luminance value greater than the minimum allowed value.
5781 The parameters describing the bounding box are printed on the filter
5782 log.
5783
5784 The filter accepts the following option:
5785
5786 @table @option
5787 @item min_val
5788 Set the minimal luminance value. Default is @code{16}.
5789 @end table
5790
5791 @section bitplanenoise
5792
5793 Show and measure bit plane noise.
5794
5795 The filter accepts the following options:
5796
5797 @table @option
5798 @item bitplane
5799 Set which plane to analyze. Default is @code{1}.
5800
5801 @item filter
5802 Filter out noisy pixels from @code{bitplane} set above.
5803 Default is disabled.
5804 @end table
5805
5806 @section blackdetect
5807
5808 Detect video intervals that are (almost) completely black. Can be
5809 useful to detect chapter transitions, commercials, or invalid
5810 recordings. Output lines contains the time for the start, end and
5811 duration of the detected black interval expressed in seconds.
5812
5813 In order to display the output lines, you need to set the loglevel at
5814 least to the AV_LOG_INFO value.
5815
5816 The filter accepts the following options:
5817
5818 @table @option
5819 @item black_min_duration, d
5820 Set the minimum detected black duration expressed in seconds. It must
5821 be a non-negative floating point number.
5822
5823 Default value is 2.0.
5824
5825 @item picture_black_ratio_th, pic_th
5826 Set the threshold for considering a picture "black".
5827 Express the minimum value for the ratio:
5828 @example
5829 @var{nb_black_pixels} / @var{nb_pixels}
5830 @end example
5831
5832 for which a picture is considered black.
5833 Default value is 0.98.
5834
5835 @item pixel_black_th, pix_th
5836 Set the threshold for considering a pixel "black".
5837
5838 The threshold expresses the maximum pixel luminance value for which a
5839 pixel is considered "black". The provided value is scaled according to
5840 the following equation:
5841 @example
5842 @var{absolute_threshold} = @var{luminance_minimum_value} + @var{pixel_black_th} * @var{luminance_range_size}
5843 @end example
5844
5845 @var{luminance_range_size} and @var{luminance_minimum_value} depend on
5846 the input video format, the range is [0-255] for YUV full-range
5847 formats and [16-235] for YUV non full-range formats.
5848
5849 Default value is 0.10.
5850 @end table
5851
5852 The following example sets the maximum pixel threshold to the minimum
5853 value, and detects only black intervals of 2 or more seconds:
5854 @example
5855 blackdetect=d=2:pix_th=0.00
5856 @end example
5857
5858 @section blackframe
5859
5860 Detect frames that are (almost) completely black. Can be useful to
5861 detect chapter transitions or commercials. Output lines consist of
5862 the frame number of the detected frame, the percentage of blackness,
5863 the position in the file if known or -1 and the timestamp in seconds.
5864
5865 In order to display the output lines, you need to set the loglevel at
5866 least to the AV_LOG_INFO value.
5867
5868 This filter exports frame metadata @code{lavfi.blackframe.pblack}.
5869 The value represents the percentage of pixels in the picture that
5870 are below the threshold value.
5871
5872 It accepts the following parameters:
5873
5874 @table @option
5875
5876 @item amount
5877 The percentage of the pixels that have to be below the threshold; it defaults to
5878 @code{98}.
5879
5880 @item threshold, thresh
5881 The threshold below which a pixel value is considered black; it defaults to
5882 @code{32}.
5883
5884 @end table
5885
5886 @section blend, tblend
5887
5888 Blend two video frames into each other.
5889
5890 The @code{blend} filter takes two input streams and outputs one
5891 stream, the first input is the "top" layer and second input is
5892 "bottom" layer.  By default, the output terminates when the longest input terminates.
5893
5894 The @code{tblend} (time blend) filter takes two consecutive frames
5895 from one single stream, and outputs the result obtained by blending
5896 the new frame on top of the old frame.
5897
5898 A description of the accepted options follows.
5899
5900 @table @option
5901 @item c0_mode
5902 @item c1_mode
5903 @item c2_mode
5904 @item c3_mode
5905 @item all_mode
5906 Set blend mode for specific pixel component or all pixel components in case
5907 of @var{all_mode}. Default value is @code{normal}.
5908
5909 Available values for component modes are:
5910 @table @samp
5911 @item addition
5912 @item grainmerge
5913 @item and
5914 @item average
5915 @item burn
5916 @item darken
5917 @item difference
5918 @item grainextract
5919 @item divide
5920 @item dodge
5921 @item freeze
5922 @item exclusion
5923 @item extremity
5924 @item glow
5925 @item hardlight
5926 @item hardmix
5927 @item heat
5928 @item lighten
5929 @item linearlight
5930 @item multiply
5931 @item multiply128
5932 @item negation
5933 @item normal
5934 @item or
5935 @item overlay
5936 @item phoenix
5937 @item pinlight
5938 @item reflect
5939 @item screen
5940 @item softlight
5941 @item subtract
5942 @item vividlight
5943 @item xor
5944 @end table
5945
5946 @item c0_opacity
5947 @item c1_opacity
5948 @item c2_opacity
5949 @item c3_opacity
5950 @item all_opacity
5951 Set blend opacity for specific pixel component or all pixel components in case
5952 of @var{all_opacity}. Only used in combination with pixel component blend modes.
5953
5954 @item c0_expr
5955 @item c1_expr
5956 @item c2_expr
5957 @item c3_expr
5958 @item all_expr
5959 Set blend expression for specific pixel component or all pixel components in case
5960 of @var{all_expr}. Note that related mode options will be ignored if those are set.
5961
5962 The expressions can use the following variables:
5963
5964 @table @option
5965 @item N
5966 The sequential number of the filtered frame, starting from @code{0}.
5967
5968 @item X
5969 @item Y
5970 the coordinates of the current sample
5971
5972 @item W
5973 @item H
5974 the width and height of currently filtered plane
5975
5976 @item SW
5977 @item SH
5978 Width and height scale for the plane being filtered. It is the
5979 ratio between the dimensions of the current plane to the luma plane,
5980 e.g. for a @code{yuv420p} frame, the values are @code{1,1} for
5981 the luma plane and @code{0.5,0.5} for the chroma planes.
5982
5983 @item T
5984 Time of the current frame, expressed in seconds.
5985
5986 @item TOP, A
5987 Value of pixel component at current location for first video frame (top layer).
5988
5989 @item BOTTOM, B
5990 Value of pixel component at current location for second video frame (bottom layer).
5991 @end table
5992 @end table
5993
5994 The @code{blend} filter also supports the @ref{framesync} options.
5995
5996 @subsection Examples
5997
5998 @itemize
5999 @item
6000 Apply transition from bottom layer to top layer in first 10 seconds:
6001 @example
6002 blend=all_expr='A*(if(gte(T,10),1,T/10))+B*(1-(if(gte(T,10),1,T/10)))'
6003 @end example
6004
6005 @item
6006 Apply linear horizontal transition from top layer to bottom layer:
6007 @example
6008 blend=all_expr='A*(X/W)+B*(1-X/W)'
6009 @end example
6010
6011 @item
6012 Apply 1x1 checkerboard effect:
6013 @example
6014 blend=all_expr='if(eq(mod(X,2),mod(Y,2)),A,B)'
6015 @end example
6016
6017 @item
6018 Apply uncover left effect:
6019 @example
6020 blend=all_expr='if(gte(N*SW+X,W),A,B)'
6021 @end example
6022
6023 @item
6024 Apply uncover down effect:
6025 @example
6026 blend=all_expr='if(gte(Y-N*SH,0),A,B)'
6027 @end example
6028
6029 @item
6030 Apply uncover up-left effect:
6031 @example
6032 blend=all_expr='if(gte(T*SH*40+Y,H)*gte((T*40*SW+X)*W/H,W),A,B)'
6033 @end example
6034
6035 @item
6036 Split diagonally video and shows top and bottom layer on each side:
6037 @example
6038 blend=all_expr='if(gt(X,Y*(W/H)),A,B)'
6039 @end example
6040
6041 @item
6042 Display differences between the current and the previous frame:
6043 @example
6044 tblend=all_mode=grainextract
6045 @end example
6046 @end itemize
6047
6048 @section bm3d
6049
6050 Denoise frames using Block-Matching 3D algorithm.
6051
6052 The filter accepts the following options.
6053
6054 @table @option
6055 @item sigma
6056 Set denoising strength. Default value is 1.
6057 Allowed range is from 0 to 999.9.
6058 The denoising algorithm is very sensitive to sigma, so adjust it
6059 according to the source.
6060
6061 @item block
6062 Set local patch size. This sets dimensions in 2D.
6063
6064 @item bstep
6065 Set sliding step for processing blocks. Default value is 4.
6066 Allowed range is from 1 to 64.
6067 Smaller values allows processing more reference blocks and is slower.
6068
6069 @item group
6070 Set maximal number of similar blocks for 3rd dimension. Default value is 1.
6071 When set to 1, no block matching is done. Larger values allows more blocks
6072 in single group.
6073 Allowed range is from 1 to 256.
6074
6075 @item range
6076 Set radius for search block matching. Default is 9.
6077 Allowed range is from 1 to INT32_MAX.
6078
6079 @item mstep
6080 Set step between two search locations for block matching. Default is 1.
6081 Allowed range is from 1 to 64. Smaller is slower.
6082
6083 @item thmse
6084 Set threshold of mean square error for block matching. Valid range is 0 to
6085 INT32_MAX.
6086
6087 @item hdthr
6088 Set thresholding parameter for hard thresholding in 3D transformed domain.
6089 Larger values results in stronger hard-thresholding filtering in frequency
6090 domain.
6091
6092 @item estim
6093 Set filtering estimation mode. Can be @code{basic} or @code{final}.
6094 Default is @code{basic}.
6095
6096 @item ref
6097 If enabled, filter will use 2nd stream for block matching.
6098 Default is disabled for @code{basic} value of @var{estim} option,
6099 and always enabled if value of @var{estim} is @code{final}.
6100
6101 @item planes
6102 Set planes to filter. Default is all available except alpha.
6103 @end table
6104
6105 @subsection Examples
6106
6107 @itemize
6108 @item
6109 Basic filtering with bm3d:
6110 @example
6111 bm3d=sigma=3:block=4:bstep=2:group=1:estim=basic
6112 @end example
6113
6114 @item
6115 Same as above, but filtering only luma:
6116 @example
6117 bm3d=sigma=3:block=4:bstep=2:group=1:estim=basic:planes=1
6118 @end example
6119
6120 @item
6121 Same as above, but with both estimation modes:
6122 @example
6123 split[a][b],[a]bm3d=sigma=3:block=4:bstep=2:group=1:estim=basic[a],[b][a]bm3d=sigma=3:block=4:bstep=2:group=16:estim=final:ref=1
6124 @end example
6125
6126 @item
6127 Same as above, but prefilter with @ref{nlmeans} filter instead:
6128 @example
6129 split[a][b],[a]nlmeans=s=3:r=7:p=3[a],[b][a]bm3d=sigma=3:block=4:bstep=2:group=16:estim=final:ref=1
6130 @end example
6131 @end itemize
6132
6133 @section boxblur
6134
6135 Apply a boxblur algorithm to the input video.
6136
6137 It accepts the following parameters:
6138
6139 @table @option
6140
6141 @item luma_radius, lr
6142 @item luma_power, lp
6143 @item chroma_radius, cr
6144 @item chroma_power, cp
6145 @item alpha_radius, ar
6146 @item alpha_power, ap
6147
6148 @end table
6149
6150 A description of the accepted options follows.
6151
6152 @table @option
6153 @item luma_radius, lr
6154 @item chroma_radius, cr
6155 @item alpha_radius, ar
6156 Set an expression for the box radius in pixels used for blurring the
6157 corresponding input plane.
6158
6159 The radius value must be a non-negative number, and must not be
6160 greater than the value of the expression @code{min(w,h)/2} for the
6161 luma and alpha planes, and of @code{min(cw,ch)/2} for the chroma
6162 planes.
6163
6164 Default value for @option{luma_radius} is "2". If not specified,
6165 @option{chroma_radius} and @option{alpha_radius} default to the
6166 corresponding value set for @option{luma_radius}.
6167
6168 The expressions can contain the following constants:
6169 @table @option
6170 @item w
6171 @item h
6172 The input width and height in pixels.
6173
6174 @item cw
6175 @item ch
6176 The input chroma image width and height in pixels.
6177
6178 @item hsub
6179 @item vsub
6180 The horizontal and vertical chroma subsample values. For example, for the
6181 pixel format "yuv422p", @var{hsub} is 2 and @var{vsub} is 1.
6182 @end table
6183
6184 @item luma_power, lp
6185 @item chroma_power, cp
6186 @item alpha_power, ap
6187 Specify how many times the boxblur filter is applied to the
6188 corresponding plane.
6189
6190 Default value for @option{luma_power} is 2. If not specified,
6191 @option{chroma_power} and @option{alpha_power} default to the
6192 corresponding value set for @option{luma_power}.
6193
6194 A value of 0 will disable the effect.
6195 @end table
6196
6197 @subsection Examples
6198
6199 @itemize
6200 @item
6201 Apply a boxblur filter with the luma, chroma, and alpha radii
6202 set to 2:
6203 @example
6204 boxblur=luma_radius=2:luma_power=1
6205 boxblur=2:1
6206 @end example
6207
6208 @item
6209 Set the luma radius to 2, and alpha and chroma radius to 0:
6210 @example
6211 boxblur=2:1:cr=0:ar=0
6212 @end example
6213
6214 @item
6215 Set the luma and chroma radii to a fraction of the video dimension:
6216 @example
6217 boxblur=luma_radius=min(h\,w)/10:luma_power=1:chroma_radius=min(cw\,ch)/10:chroma_power=1
6218 @end example
6219 @end itemize
6220
6221 @section bwdif
6222
6223 Deinterlace the input video ("bwdif" stands for "Bob Weaver
6224 Deinterlacing Filter").
6225
6226 Motion adaptive deinterlacing based on yadif with the use of w3fdif and cubic
6227 interpolation algorithms.
6228 It accepts the following parameters:
6229
6230 @table @option
6231 @item mode
6232 The interlacing mode to adopt. It accepts one of the following values:
6233
6234 @table @option
6235 @item 0, send_frame
6236 Output one frame for each frame.
6237 @item 1, send_field
6238 Output one frame for each field.
6239 @end table
6240
6241 The default value is @code{send_field}.
6242
6243 @item parity
6244 The picture field parity assumed for the input interlaced video. It accepts one
6245 of the following values:
6246
6247 @table @option
6248 @item 0, tff
6249 Assume the top field is first.
6250 @item 1, bff
6251 Assume the bottom field is first.
6252 @item -1, auto
6253 Enable automatic detection of field parity.
6254 @end table
6255
6256 The default value is @code{auto}.
6257 If the interlacing is unknown or the decoder does not export this information,
6258 top field first will be assumed.
6259
6260 @item deint
6261 Specify which frames to deinterlace. Accept one of the following
6262 values:
6263
6264 @table @option
6265 @item 0, all
6266 Deinterlace all frames.
6267 @item 1, interlaced
6268 Only deinterlace frames marked as interlaced.
6269 @end table
6270
6271 The default value is @code{all}.
6272 @end table
6273
6274 @section chromahold
6275 Remove all color information for all colors except for certain one.
6276
6277 The filter accepts the following options:
6278
6279 @table @option
6280 @item color
6281 The color which will not be replaced with neutral chroma.
6282
6283 @item similarity
6284 Similarity percentage with the above color.
6285 0.01 matches only the exact key color, while 1.0 matches everything.
6286
6287 @item yuv
6288 Signals that the color passed is already in YUV instead of RGB.
6289
6290 Literal colors like "green" or "red" don't make sense with this enabled anymore.
6291 This can be used to pass exact YUV values as hexadecimal numbers.
6292 @end table
6293
6294 @section chromakey
6295 YUV colorspace color/chroma keying.
6296
6297 The filter accepts the following options:
6298
6299 @table @option
6300 @item color
6301 The color which will be replaced with transparency.
6302
6303 @item similarity
6304 Similarity percentage with the key color.
6305
6306 0.01 matches only the exact key color, while 1.0 matches everything.
6307
6308 @item blend
6309 Blend percentage.
6310
6311 0.0 makes pixels either fully transparent, or not transparent at all.
6312
6313 Higher values result in semi-transparent pixels, with a higher transparency
6314 the more similar the pixels color is to the key color.
6315
6316 @item yuv
6317 Signals that the color passed is already in YUV instead of RGB.
6318
6319 Literal colors like "green" or "red" don't make sense with this enabled anymore.
6320 This can be used to pass exact YUV values as hexadecimal numbers.
6321 @end table
6322
6323 @subsection Examples
6324
6325 @itemize
6326 @item
6327 Make every green pixel in the input image transparent:
6328 @example
6329 ffmpeg -i input.png -vf chromakey=green out.png
6330 @end example
6331
6332 @item
6333 Overlay a greenscreen-video on top of a static black background.
6334 @example
6335 ffmpeg -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
6336 @end example
6337 @end itemize
6338
6339 @section chromashift
6340 Shift chroma pixels horizontally and/or vertically.
6341
6342 The filter accepts the following options:
6343 @table @option
6344 @item cbh
6345 Set amount to shift chroma-blue horizontally.
6346 @item cbv
6347 Set amount to shift chroma-blue vertically.
6348 @item crh
6349 Set amount to shift chroma-red horizontally.
6350 @item crv
6351 Set amount to shift chroma-red vertically.
6352 @item edge
6353 Set edge mode, can be @var{smear}, default, or @var{warp}.
6354 @end table
6355
6356 @section ciescope
6357
6358 Display CIE color diagram with pixels overlaid onto it.
6359
6360 The filter accepts the following options:
6361
6362 @table @option
6363 @item system
6364 Set color system.
6365
6366 @table @samp
6367 @item ntsc, 470m
6368 @item ebu, 470bg
6369 @item smpte
6370 @item 240m
6371 @item apple
6372 @item widergb
6373 @item cie1931
6374 @item rec709, hdtv
6375 @item uhdtv, rec2020
6376 @end table
6377
6378 @item cie
6379 Set CIE system.
6380
6381 @table @samp
6382 @item xyy
6383 @item ucs
6384 @item luv
6385 @end table
6386
6387 @item gamuts
6388 Set what gamuts to draw.
6389
6390 See @code{system} option for available values.
6391
6392 @item size, s
6393 Set ciescope size, by default set to 512.
6394
6395 @item intensity, i
6396 Set intensity used to map input pixel values to CIE diagram.
6397
6398 @item contrast
6399 Set contrast used to draw tongue colors that are out of active color system gamut.
6400
6401 @item corrgamma
6402 Correct gamma displayed on scope, by default enabled.
6403
6404 @item showwhite
6405 Show white point on CIE diagram, by default disabled.
6406
6407 @item gamma
6408 Set input gamma. Used only with XYZ input color space.
6409 @end table
6410
6411 @section codecview
6412
6413 Visualize information exported by some codecs.
6414
6415 Some codecs can export information through frames using side-data or other
6416 means. For example, some MPEG based codecs export motion vectors through the
6417 @var{export_mvs} flag in the codec @option{flags2} option.
6418
6419 The filter accepts the following option:
6420
6421 @table @option
6422 @item mv
6423 Set motion vectors to visualize.
6424
6425 Available flags for @var{mv} are:
6426
6427 @table @samp
6428 @item pf
6429 forward predicted MVs of P-frames
6430 @item bf
6431 forward predicted MVs of B-frames
6432 @item bb
6433 backward predicted MVs of B-frames
6434 @end table
6435
6436 @item qp
6437 Display quantization parameters using the chroma planes.
6438
6439 @item mv_type, mvt
6440 Set motion vectors type to visualize. Includes MVs from all frames unless specified by @var{frame_type} option.
6441
6442 Available flags for @var{mv_type} are:
6443
6444 @table @samp
6445 @item fp
6446 forward predicted MVs
6447 @item bp
6448 backward predicted MVs
6449 @end table
6450
6451 @item frame_type, ft
6452 Set frame type to visualize motion vectors of.
6453
6454 Available flags for @var{frame_type} are:
6455
6456 @table @samp
6457 @item if
6458 intra-coded frames (I-frames)
6459 @item pf
6460 predicted frames (P-frames)
6461 @item bf
6462 bi-directionally predicted frames (B-frames)
6463 @end table
6464 @end table
6465
6466 @subsection Examples
6467
6468 @itemize
6469 @item
6470 Visualize forward predicted MVs of all frames using @command{ffplay}:
6471 @example
6472 ffplay -flags2 +export_mvs input.mp4 -vf codecview=mv_type=fp
6473 @end example
6474
6475 @item
6476 Visualize multi-directionals MVs of P and B-Frames using @command{ffplay}:
6477 @example
6478 ffplay -flags2 +export_mvs input.mp4 -vf codecview=mv=pf+bf+bb
6479 @end example
6480 @end itemize
6481
6482 @section colorbalance
6483 Modify intensity of primary colors (red, green and blue) of input frames.
6484
6485 The filter allows an input frame to be adjusted in the shadows, midtones or highlights
6486 regions for the red-cyan, green-magenta or blue-yellow balance.
6487
6488 A positive adjustment value shifts the balance towards the primary color, a negative
6489 value towards the complementary color.
6490
6491 The filter accepts the following options:
6492
6493 @table @option
6494 @item rs
6495 @item gs
6496 @item bs
6497 Adjust red, green and blue shadows (darkest pixels).
6498
6499 @item rm
6500 @item gm
6501 @item bm
6502 Adjust red, green and blue midtones (medium pixels).
6503
6504 @item rh
6505 @item gh
6506 @item bh
6507 Adjust red, green and blue highlights (brightest pixels).
6508
6509 Allowed ranges for options are @code{[-1.0, 1.0]}. Defaults are @code{0}.
6510 @end table
6511
6512 @subsection Examples
6513
6514 @itemize
6515 @item
6516 Add red color cast to shadows:
6517 @example
6518 colorbalance=rs=.3
6519 @end example
6520 @end itemize
6521
6522 @section colorkey
6523 RGB colorspace color keying.
6524
6525 The filter accepts the following options:
6526
6527 @table @option
6528 @item color
6529 The color which will be replaced with transparency.
6530
6531 @item similarity
6532 Similarity percentage with the key color.
6533
6534 0.01 matches only the exact key color, while 1.0 matches everything.
6535
6536 @item blend
6537 Blend percentage.
6538
6539 0.0 makes pixels either fully transparent, or not transparent at all.
6540
6541 Higher values result in semi-transparent pixels, with a higher transparency
6542 the more similar the pixels color is to the key color.
6543 @end table
6544
6545 @subsection Examples
6546
6547 @itemize
6548 @item
6549 Make every green pixel in the input image transparent:
6550 @example
6551 ffmpeg -i input.png -vf colorkey=green out.png
6552 @end example
6553
6554 @item
6555 Overlay a greenscreen-video on top of a static background image.
6556 @example
6557 ffmpeg -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
6558 @end example
6559 @end itemize
6560
6561 @section colorlevels
6562
6563 Adjust video input frames using levels.
6564
6565 The filter accepts the following options:
6566
6567 @table @option
6568 @item rimin
6569 @item gimin
6570 @item bimin
6571 @item aimin
6572 Adjust red, green, blue and alpha input black point.
6573 Allowed ranges for options are @code{[-1.0, 1.0]}. Defaults are @code{0}.
6574
6575 @item rimax
6576 @item gimax
6577 @item bimax
6578 @item aimax
6579 Adjust red, green, blue and alpha input white point.
6580 Allowed ranges for options are @code{[-1.0, 1.0]}. Defaults are @code{1}.
6581
6582 Input levels are used to lighten highlights (bright tones), darken shadows
6583 (dark tones), change the balance of bright and dark tones.
6584
6585 @item romin
6586 @item gomin
6587 @item bomin
6588 @item aomin
6589 Adjust red, green, blue and alpha output black point.
6590 Allowed ranges for options are @code{[0, 1.0]}. Defaults are @code{0}.
6591
6592 @item romax
6593 @item gomax
6594 @item bomax
6595 @item aomax
6596 Adjust red, green, blue and alpha output white point.
6597 Allowed ranges for options are @code{[0, 1.0]}. Defaults are @code{1}.
6598
6599 Output levels allows manual selection of a constrained output level range.
6600 @end table
6601
6602 @subsection Examples
6603
6604 @itemize
6605 @item
6606 Make video output darker:
6607 @example
6608 colorlevels=rimin=0.058:gimin=0.058:bimin=0.058
6609 @end example
6610
6611 @item
6612 Increase contrast:
6613 @example
6614 colorlevels=rimin=0.039:gimin=0.039:bimin=0.039:rimax=0.96:gimax=0.96:bimax=0.96
6615 @end example
6616
6617 @item
6618 Make video output lighter:
6619 @example
6620 colorlevels=rimax=0.902:gimax=0.902:bimax=0.902
6621 @end example
6622
6623 @item
6624 Increase brightness:
6625 @example
6626 colorlevels=romin=0.5:gomin=0.5:bomin=0.5
6627 @end example
6628 @end itemize
6629
6630 @section colorchannelmixer
6631
6632 Adjust video input frames by re-mixing color channels.
6633
6634 This filter modifies a color channel by adding the values associated to
6635 the other channels of the same pixels. For example if the value to
6636 modify is red, the output value will be:
6637 @example
6638 @var{red}=@var{red}*@var{rr} + @var{blue}*@var{rb} + @var{green}*@var{rg} + @var{alpha}*@var{ra}
6639 @end example
6640
6641 The filter accepts the following options:
6642
6643 @table @option
6644 @item rr
6645 @item rg
6646 @item rb
6647 @item ra
6648 Adjust contribution of input red, green, blue and alpha channels for output red channel.
6649 Default is @code{1} for @var{rr}, and @code{0} for @var{rg}, @var{rb} and @var{ra}.
6650
6651 @item gr
6652 @item gg
6653 @item gb
6654 @item ga
6655 Adjust contribution of input red, green, blue and alpha channels for output green channel.
6656 Default is @code{1} for @var{gg}, and @code{0} for @var{gr}, @var{gb} and @var{ga}.
6657
6658 @item br
6659 @item bg
6660 @item bb
6661 @item ba
6662 Adjust contribution of input red, green, blue and alpha channels for output blue channel.
6663 Default is @code{1} for @var{bb}, and @code{0} for @var{br}, @var{bg} and @var{ba}.
6664
6665 @item ar
6666 @item ag
6667 @item ab
6668 @item aa
6669 Adjust contribution of input red, green, blue and alpha channels for output alpha channel.
6670 Default is @code{1} for @var{aa}, and @code{0} for @var{ar}, @var{ag} and @var{ab}.
6671
6672 Allowed ranges for options are @code{[-2.0, 2.0]}.
6673 @end table
6674
6675 @subsection Examples
6676
6677 @itemize
6678 @item
6679 Convert source to grayscale:
6680 @example
6681 colorchannelmixer=.3:.4:.3:0:.3:.4:.3:0:.3:.4:.3
6682 @end example
6683 @item
6684 Simulate sepia tones:
6685 @example
6686 colorchannelmixer=.393:.769:.189:0:.349:.686:.168:0:.272:.534:.131
6687 @end example
6688 @end itemize
6689
6690 @section colormatrix
6691
6692 Convert color matrix.
6693
6694 The filter accepts the following options:
6695
6696 @table @option
6697 @item src
6698 @item dst
6699 Specify the source and destination color matrix. Both values must be
6700 specified.
6701
6702 The accepted values are:
6703 @table @samp
6704 @item bt709
6705 BT.709
6706
6707 @item fcc
6708 FCC
6709
6710 @item bt601
6711 BT.601
6712
6713 @item bt470
6714 BT.470
6715
6716 @item bt470bg
6717 BT.470BG
6718
6719 @item smpte170m
6720 SMPTE-170M
6721
6722 @item smpte240m
6723 SMPTE-240M
6724
6725 @item bt2020
6726 BT.2020
6727 @end table
6728 @end table
6729
6730 For example to convert from BT.601 to SMPTE-240M, use the command:
6731 @example
6732 colormatrix=bt601:smpte240m
6733 @end example
6734
6735 @section colorspace
6736
6737 Convert colorspace, transfer characteristics or color primaries.
6738 Input video needs to have an even size.
6739
6740 The filter accepts the following options:
6741
6742 @table @option
6743 @anchor{all}
6744 @item all
6745 Specify all color properties at once.
6746
6747 The accepted values are:
6748 @table @samp
6749 @item bt470m
6750 BT.470M
6751
6752 @item bt470bg
6753 BT.470BG
6754
6755 @item bt601-6-525
6756 BT.601-6 525
6757
6758 @item bt601-6-625
6759 BT.601-6 625
6760
6761 @item bt709
6762 BT.709
6763
6764 @item smpte170m
6765 SMPTE-170M
6766
6767 @item smpte240m
6768 SMPTE-240M
6769
6770 @item bt2020
6771 BT.2020
6772
6773 @end table
6774
6775 @anchor{space}
6776 @item space
6777 Specify output colorspace.
6778
6779 The accepted values are:
6780 @table @samp
6781 @item bt709
6782 BT.709
6783
6784 @item fcc
6785 FCC
6786
6787 @item bt470bg
6788 BT.470BG or BT.601-6 625
6789
6790 @item smpte170m
6791 SMPTE-170M or BT.601-6 525
6792
6793 @item smpte240m
6794 SMPTE-240M
6795
6796 @item ycgco
6797 YCgCo
6798
6799 @item bt2020ncl
6800 BT.2020 with non-constant luminance
6801
6802 @end table
6803
6804 @anchor{trc}
6805 @item trc
6806 Specify output transfer characteristics.
6807
6808 The accepted values are:
6809 @table @samp
6810 @item bt709
6811 BT.709
6812
6813 @item bt470m
6814 BT.470M
6815
6816 @item bt470bg
6817 BT.470BG
6818
6819 @item gamma22
6820 Constant gamma of 2.2
6821
6822 @item gamma28
6823 Constant gamma of 2.8
6824
6825 @item smpte170m
6826 SMPTE-170M, BT.601-6 625 or BT.601-6 525
6827
6828 @item smpte240m
6829 SMPTE-240M
6830
6831 @item srgb
6832 SRGB
6833
6834 @item iec61966-2-1
6835 iec61966-2-1
6836
6837 @item iec61966-2-4
6838 iec61966-2-4
6839
6840 @item xvycc
6841 xvycc
6842
6843 @item bt2020-10
6844 BT.2020 for 10-bits content
6845
6846 @item bt2020-12
6847 BT.2020 for 12-bits content
6848
6849 @end table
6850
6851 @anchor{primaries}
6852 @item primaries
6853 Specify output color primaries.
6854
6855 The accepted values are:
6856 @table @samp
6857 @item bt709
6858 BT.709
6859
6860 @item bt470m
6861 BT.470M
6862
6863 @item bt470bg
6864 BT.470BG or BT.601-6 625
6865
6866 @item smpte170m
6867 SMPTE-170M or BT.601-6 525
6868
6869 @item smpte240m
6870 SMPTE-240M
6871
6872 @item film
6873 film
6874
6875 @item smpte431
6876 SMPTE-431
6877
6878 @item smpte432
6879 SMPTE-432
6880
6881 @item bt2020
6882 BT.2020
6883
6884 @item jedec-p22
6885 JEDEC P22 phosphors
6886
6887 @end table
6888
6889 @anchor{range}
6890 @item range
6891 Specify output color range.
6892
6893 The accepted values are:
6894 @table @samp
6895 @item tv
6896 TV (restricted) range
6897
6898 @item mpeg
6899 MPEG (restricted) range
6900
6901 @item pc
6902 PC (full) range
6903
6904 @item jpeg
6905 JPEG (full) range
6906
6907 @end table
6908
6909 @item format
6910 Specify output color format.
6911
6912 The accepted values are:
6913 @table @samp
6914 @item yuv420p
6915 YUV 4:2:0 planar 8-bits
6916
6917 @item yuv420p10
6918 YUV 4:2:0 planar 10-bits
6919
6920 @item yuv420p12
6921 YUV 4:2:0 planar 12-bits
6922
6923 @item yuv422p
6924 YUV 4:2:2 planar 8-bits
6925
6926 @item yuv422p10
6927 YUV 4:2:2 planar 10-bits
6928
6929 @item yuv422p12
6930 YUV 4:2:2 planar 12-bits
6931
6932 @item yuv444p
6933 YUV 4:4:4 planar 8-bits
6934
6935 @item yuv444p10
6936 YUV 4:4:4 planar 10-bits
6937
6938 @item yuv444p12
6939 YUV 4:4:4 planar 12-bits
6940
6941 @end table
6942
6943 @item fast
6944 Do a fast conversion, which skips gamma/primary correction. This will take
6945 significantly less CPU, but will be mathematically incorrect. To get output
6946 compatible with that produced by the colormatrix filter, use fast=1.
6947
6948 @item dither
6949 Specify dithering mode.
6950
6951 The accepted values are:
6952 @table @samp
6953 @item none
6954 No dithering
6955
6956 @item fsb
6957 Floyd-Steinberg dithering
6958 @end table
6959
6960 @item wpadapt
6961 Whitepoint adaptation mode.
6962
6963 The accepted values are:
6964 @table @samp
6965 @item bradford
6966 Bradford whitepoint adaptation
6967
6968 @item vonkries
6969 von Kries whitepoint adaptation
6970
6971 @item identity
6972 identity whitepoint adaptation (i.e. no whitepoint adaptation)
6973 @end table
6974
6975 @item iall
6976 Override all input properties at once. Same accepted values as @ref{all}.
6977
6978 @item ispace
6979 Override input colorspace. Same accepted values as @ref{space}.
6980
6981 @item iprimaries
6982 Override input color primaries. Same accepted values as @ref{primaries}.
6983
6984 @item itrc
6985 Override input transfer characteristics. Same accepted values as @ref{trc}.
6986
6987 @item irange
6988 Override input color range. Same accepted values as @ref{range}.
6989
6990 @end table
6991
6992 The filter converts the transfer characteristics, color space and color
6993 primaries to the specified user values. The output value, if not specified,
6994 is set to a default value based on the "all" property. If that property is
6995 also not specified, the filter will log an error. The output color range and
6996 format default to the same value as the input color range and format. The
6997 input transfer characteristics, color space, color primaries and color range
6998 should be set on the input data. If any of these are missing, the filter will
6999 log an error and no conversion will take place.
7000
7001 For example to convert the input to SMPTE-240M, use the command:
7002 @example
7003 colorspace=smpte240m
7004 @end example
7005
7006 @section convolution
7007
7008 Apply convolution of 3x3, 5x5, 7x7 or horizontal/vertical up to 49 elements.
7009
7010 The filter accepts the following options:
7011
7012 @table @option
7013 @item 0m
7014 @item 1m
7015 @item 2m
7016 @item 3m
7017 Set matrix for each plane.
7018 Matrix is sequence of 9, 25 or 49 signed integers in @var{square} mode,
7019 and from 1 to 49 odd number of signed integers in @var{row} mode.
7020
7021 @item 0rdiv
7022 @item 1rdiv
7023 @item 2rdiv
7024 @item 3rdiv
7025 Set multiplier for calculated value for each plane.
7026 If unset or 0, it will be sum of all matrix elements.
7027
7028 @item 0bias
7029 @item 1bias
7030 @item 2bias
7031 @item 3bias
7032 Set bias for each plane. This value is added to the result of the multiplication.
7033 Useful for making the overall image brighter or darker. Default is 0.0.
7034
7035 @item 0mode
7036 @item 1mode
7037 @item 2mode
7038 @item 3mode
7039 Set matrix mode for each plane. Can be @var{square}, @var{row} or @var{column}.
7040 Default is @var{square}.
7041 @end table
7042
7043 @subsection Examples
7044
7045 @itemize
7046 @item
7047 Apply sharpen:
7048 @example
7049 convolution="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"
7050 @end example
7051
7052 @item
7053 Apply blur:
7054 @example
7055 convolution="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"
7056 @end example
7057
7058 @item
7059 Apply edge enhance:
7060 @example
7061 convolution="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"
7062 @end example
7063
7064 @item
7065 Apply edge detect:
7066 @example
7067 convolution="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"
7068 @end example
7069
7070 @item
7071 Apply laplacian edge detector which includes diagonals:
7072 @example
7073 convolution="1 1 1 1 -8 1 1 1 1:1 1 1 1 -8 1 1 1 1:1 1 1 1 -8 1 1 1 1:1 1 1 1 -8 1 1 1 1:5:5:5:1:0:128:128:0"
7074 @end example
7075
7076 @item
7077 Apply emboss:
7078 @example
7079 convolution="-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"
7080 @end example
7081 @end itemize
7082
7083 @section convolve
7084
7085 Apply 2D convolution of video stream in frequency domain using second stream
7086 as impulse.
7087
7088 The filter accepts the following options:
7089
7090 @table @option
7091 @item planes
7092 Set which planes to process.
7093
7094 @item impulse
7095 Set which impulse video frames will be processed, can be @var{first}
7096 or @var{all}. Default is @var{all}.
7097 @end table
7098
7099 The @code{convolve} filter also supports the @ref{framesync} options.
7100
7101 @section copy
7102
7103 Copy the input video source unchanged to the output. This is mainly useful for
7104 testing purposes.
7105
7106 @anchor{coreimage}
7107 @section coreimage
7108 Video filtering on GPU using Apple's CoreImage API on OSX.
7109
7110 Hardware acceleration is based on an OpenGL context. Usually, this means it is
7111 processed by video hardware. However, software-based OpenGL implementations
7112 exist which means there is no guarantee for hardware processing. It depends on
7113 the respective OSX.
7114
7115 There are many filters and image generators provided by Apple that come with a
7116 large variety of options. The filter has to be referenced by its name along
7117 with its options.
7118
7119 The coreimage filter accepts the following options:
7120 @table @option
7121 @item list_filters
7122 List all available filters and generators along with all their respective
7123 options as well as possible minimum and maximum values along with the default
7124 values.
7125 @example
7126 list_filters=true
7127 @end example
7128
7129 @item filter
7130 Specify all filters by their respective name and options.
7131 Use @var{list_filters} to determine all valid filter names and options.
7132 Numerical options are specified by a float value and are automatically clamped
7133 to their respective value range.  Vector and color options have to be specified
7134 by a list of space separated float values. Character escaping has to be done.
7135 A special option name @code{default} is available to use default options for a
7136 filter.
7137
7138 It is required to specify either @code{default} or at least one of the filter options.
7139 All omitted options are used with their default values.
7140 The syntax of the filter string is as follows:
7141 @example
7142 filter=<NAME>@@<OPTION>=<VALUE>[@@<OPTION>=<VALUE>][@@...][#<NAME>@@<OPTION>=<VALUE>[@@<OPTION>=<VALUE>][@@...]][#...]
7143 @end example
7144
7145 @item output_rect
7146 Specify a rectangle where the output of the filter chain is copied into the
7147 input image. It is given by a list of space separated float values:
7148 @example
7149 output_rect=x\ y\ width\ height
7150 @end example
7151 If not given, the output rectangle equals the dimensions of the input image.
7152 The output rectangle is automatically cropped at the borders of the input
7153 image. Negative values are valid for each component.
7154 @example
7155 output_rect=25\ 25\ 100\ 100
7156 @end example
7157 @end table
7158
7159 Several filters can be chained for successive processing without GPU-HOST
7160 transfers allowing for fast processing of complex filter chains.
7161 Currently, only filters with zero (generators) or exactly one (filters) input
7162 image and one output image are supported. Also, transition filters are not yet
7163 usable as intended.
7164
7165 Some filters generate output images with additional padding depending on the
7166 respective filter kernel. The padding is automatically removed to ensure the
7167 filter output has the same size as the input image.
7168
7169 For image generators, the size of the output image is determined by the
7170 previous output image of the filter chain or the input image of the whole
7171 filterchain, respectively. The generators do not use the pixel information of
7172 this image to generate their output. However, the generated output is
7173 blended onto this image, resulting in partial or complete coverage of the
7174 output image.
7175
7176 The @ref{coreimagesrc} video source can be used for generating input images
7177 which are directly fed into the filter chain. By using it, providing input
7178 images by another video source or an input video is not required.
7179
7180 @subsection Examples
7181
7182 @itemize
7183
7184 @item
7185 List all filters available:
7186 @example
7187 coreimage=list_filters=true
7188 @end example
7189
7190 @item
7191 Use the CIBoxBlur filter with default options to blur an image:
7192 @example
7193 coreimage=filter=CIBoxBlur@@default
7194 @end example
7195
7196 @item
7197 Use a filter chain with CISepiaTone at default values and CIVignetteEffect with
7198 its center at 100x100 and a radius of 50 pixels:
7199 @example
7200 coreimage=filter=CIBoxBlur@@default#CIVignetteEffect@@inputCenter=100\ 100@@inputRadius=50
7201 @end example
7202
7203 @item
7204 Use nullsrc and CIQRCodeGenerator to create a QR code for the FFmpeg homepage,
7205 given as complete and escaped command-line for Apple's standard bash shell:
7206 @example
7207 ffmpeg -f lavfi -i nullsrc=s=100x100,coreimage=filter=CIQRCodeGenerator@@inputMessage=https\\\\\://FFmpeg.org/@@inputCorrectionLevel=H -frames:v 1 QRCode.png
7208 @end example
7209 @end itemize
7210
7211 @section crop
7212
7213 Crop the input video to given dimensions.
7214
7215 It accepts the following parameters:
7216
7217 @table @option
7218 @item w, out_w
7219 The width of the output video. It defaults to @code{iw}.
7220 This expression is evaluated only once during the filter
7221 configuration, or when the @samp{w} or @samp{out_w} command is sent.
7222
7223 @item h, out_h
7224 The height of the output video. It defaults to @code{ih}.
7225 This expression is evaluated only once during the filter
7226 configuration, or when the @samp{h} or @samp{out_h} command is sent.
7227
7228 @item x
7229 The horizontal position, in the input video, of the left edge of the output
7230 video. It defaults to @code{(in_w-out_w)/2}.
7231 This expression is evaluated per-frame.
7232
7233 @item y
7234 The vertical position, in the input video, of the top edge of the output video.
7235 It defaults to @code{(in_h-out_h)/2}.
7236 This expression is evaluated per-frame.
7237
7238 @item keep_aspect
7239 If set to 1 will force the output display aspect ratio
7240 to be the same of the input, by changing the output sample aspect
7241 ratio. It defaults to 0.
7242
7243 @item exact
7244 Enable exact cropping. If enabled, subsampled videos will be cropped at exact
7245 width/height/x/y as specified and will not be rounded to nearest smaller value.
7246 It defaults to 0.
7247 @end table
7248
7249 The @var{out_w}, @var{out_h}, @var{x}, @var{y} parameters are
7250 expressions containing the following constants:
7251
7252 @table @option
7253 @item x
7254 @item y
7255 The computed values for @var{x} and @var{y}. They are evaluated for
7256 each new frame.
7257
7258 @item in_w
7259 @item in_h
7260 The input width and height.
7261
7262 @item iw
7263 @item ih
7264 These are the same as @var{in_w} and @var{in_h}.
7265
7266 @item out_w
7267 @item out_h
7268 The output (cropped) width and height.
7269
7270 @item ow
7271 @item oh
7272 These are the same as @var{out_w} and @var{out_h}.
7273
7274 @item a
7275 same as @var{iw} / @var{ih}
7276
7277 @item sar
7278 input sample aspect ratio
7279
7280 @item dar
7281 input display aspect ratio, it is the same as (@var{iw} / @var{ih}) * @var{sar}
7282
7283 @item hsub
7284 @item vsub
7285 horizontal and vertical chroma subsample values. For example for the
7286 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
7287
7288 @item n
7289 The number of the input frame, starting from 0.
7290
7291 @item pos
7292 the position in the file of the input frame, NAN if unknown
7293
7294 @item t
7295 The timestamp expressed in seconds. It's NAN if the input timestamp is unknown.
7296
7297 @end table
7298
7299 The expression for @var{out_w} may depend on the value of @var{out_h},
7300 and the expression for @var{out_h} may depend on @var{out_w}, but they
7301 cannot depend on @var{x} and @var{y}, as @var{x} and @var{y} are
7302 evaluated after @var{out_w} and @var{out_h}.
7303
7304 The @var{x} and @var{y} parameters specify the expressions for the
7305 position of the top-left corner of the output (non-cropped) area. They
7306 are evaluated for each frame. If the evaluated value is not valid, it
7307 is approximated to the nearest valid value.
7308
7309 The expression for @var{x} may depend on @var{y}, and the expression
7310 for @var{y} may depend on @var{x}.
7311
7312 @subsection Examples
7313
7314 @itemize
7315 @item
7316 Crop area with size 100x100 at position (12,34).
7317 @example
7318 crop=100:100:12:34
7319 @end example
7320
7321 Using named options, the example above becomes:
7322 @example
7323 crop=w=100:h=100:x=12:y=34
7324 @end example
7325
7326 @item
7327 Crop the central input area with size 100x100:
7328 @example
7329 crop=100:100
7330 @end example
7331
7332 @item
7333 Crop the central input area with size 2/3 of the input video:
7334 @example
7335 crop=2/3*in_w:2/3*in_h
7336 @end example
7337
7338 @item
7339 Crop the input video central square:
7340 @example
7341 crop=out_w=in_h
7342 crop=in_h
7343 @end example
7344
7345 @item
7346 Delimit the rectangle with the top-left corner placed at position
7347 100:100 and the right-bottom corner corresponding to the right-bottom
7348 corner of the input image.
7349 @example
7350 crop=in_w-100:in_h-100:100:100
7351 @end example
7352
7353 @item
7354 Crop 10 pixels from the left and right borders, and 20 pixels from
7355 the top and bottom borders
7356 @example
7357 crop=in_w-2*10:in_h-2*20
7358 @end example
7359
7360 @item
7361 Keep only the bottom right quarter of the input image:
7362 @example
7363 crop=in_w/2:in_h/2:in_w/2:in_h/2
7364 @end example
7365
7366 @item
7367 Crop height for getting Greek harmony:
7368 @example
7369 crop=in_w:1/PHI*in_w
7370 @end example
7371
7372 @item
7373 Apply trembling effect:
7374 @example
7375 crop=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)
7376 @end example
7377
7378 @item
7379 Apply erratic camera effect depending on timestamp:
7380 @example
7381 crop=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)"
7382 @end example
7383
7384 @item
7385 Set x depending on the value of y:
7386 @example
7387 crop=in_w/2:in_h/2:y:10+10*sin(n/10)
7388 @end example
7389 @end itemize
7390
7391 @subsection Commands
7392
7393 This filter supports the following commands:
7394 @table @option
7395 @item w, out_w
7396 @item h, out_h
7397 @item x
7398 @item y
7399 Set width/height of the output video and the horizontal/vertical position
7400 in the input video.
7401 The command accepts the same syntax of the corresponding option.
7402
7403 If the specified expression is not valid, it is kept at its current
7404 value.
7405 @end table
7406
7407 @section cropdetect
7408
7409 Auto-detect the crop size.
7410
7411 It calculates the necessary cropping parameters and prints the
7412 recommended parameters via the logging system. The detected dimensions
7413 correspond to the non-black area of the input video.
7414
7415 It accepts the following parameters:
7416
7417 @table @option
7418
7419 @item limit
7420 Set higher black value threshold, which can be optionally specified
7421 from nothing (0) to everything (255 for 8-bit based formats). An intensity
7422 value greater to the set value is considered non-black. It defaults to 24.
7423 You can also specify a value between 0.0 and 1.0 which will be scaled depending
7424 on the bitdepth of the pixel format.
7425
7426 @item round
7427 The value which the width/height should be divisible by. It defaults to
7428 16. The offset is automatically adjusted to center the video. Use 2 to
7429 get only even dimensions (needed for 4:2:2 video). 16 is best when
7430 encoding to most video codecs.
7431
7432 @item reset_count, reset
7433 Set the counter that determines after how many frames cropdetect will
7434 reset the previously detected largest video area and start over to
7435 detect the current optimal crop area. Default value is 0.
7436
7437 This can be useful when channel logos distort the video area. 0
7438 indicates 'never reset', and returns the largest area encountered during
7439 playback.
7440 @end table
7441
7442 @anchor{cue}
7443 @section cue
7444
7445 Delay video filtering until a given wallclock timestamp. The filter first
7446 passes on @option{preroll} amount of frames, then it buffers at most
7447 @option{buffer} amount of frames and waits for the cue. After reaching the cue
7448 it forwards the buffered frames and also any subsequent frames coming in its
7449 input.
7450
7451 The filter can be used synchronize the output of multiple ffmpeg processes for
7452 realtime output devices like decklink. By putting the delay in the filtering
7453 chain and pre-buffering frames the process can pass on data to output almost
7454 immediately after the target wallclock timestamp is reached.
7455
7456 Perfect frame accuracy cannot be guaranteed, but the result is good enough for
7457 some use cases.
7458
7459 @table @option
7460
7461 @item cue
7462 The cue timestamp expressed in a UNIX timestamp in microseconds. Default is 0.
7463
7464 @item preroll
7465 The duration of content to pass on as preroll expressed in seconds. Default is 0.
7466
7467 @item buffer
7468 The maximum duration of content to buffer before waiting for the cue expressed
7469 in seconds. Default is 0.
7470
7471 @end table
7472
7473 @anchor{curves}
7474 @section curves
7475
7476 Apply color adjustments using curves.
7477
7478 This filter is similar to the Adobe Photoshop and GIMP curves tools. Each
7479 component (red, green and blue) has its values defined by @var{N} key points
7480 tied from each other using a smooth curve. The x-axis represents the pixel
7481 values from the input frame, and the y-axis the new pixel values to be set for
7482 the output frame.
7483
7484 By default, a component curve is defined by the two points @var{(0;0)} and
7485 @var{(1;1)}. This creates a straight line where each original pixel value is
7486 "adjusted" to its own value, which means no change to the image.
7487
7488 The filter allows you to redefine these two points and add some more. A new
7489 curve (using a natural cubic spline interpolation) will be define to pass
7490 smoothly through all these new coordinates. The new defined points needs to be
7491 strictly increasing over the x-axis, and their @var{x} and @var{y} values must
7492 be in the @var{[0;1]} interval.  If the computed curves happened to go outside
7493 the vector spaces, the values will be clipped accordingly.
7494
7495 The filter accepts the following options:
7496
7497 @table @option
7498 @item preset
7499 Select one of the available color presets. This option can be used in addition
7500 to the @option{r}, @option{g}, @option{b} parameters; in this case, the later
7501 options takes priority on the preset values.
7502 Available presets are:
7503 @table @samp
7504 @item none
7505 @item color_negative
7506 @item cross_process
7507 @item darker
7508 @item increase_contrast
7509 @item lighter
7510 @item linear_contrast
7511 @item medium_contrast
7512 @item negative
7513 @item strong_contrast
7514 @item vintage
7515 @end table
7516 Default is @code{none}.
7517 @item master, m
7518 Set the master key points. These points will define a second pass mapping. It
7519 is sometimes called a "luminance" or "value" mapping. It can be used with
7520 @option{r}, @option{g}, @option{b} or @option{all} since it acts like a
7521 post-processing LUT.
7522 @item red, r
7523 Set the key points for the red component.
7524 @item green, g
7525 Set the key points for the green component.
7526 @item blue, b
7527 Set the key points for the blue component.
7528 @item all
7529 Set the key points for all components (not including master).
7530 Can be used in addition to the other key points component
7531 options. In this case, the unset component(s) will fallback on this
7532 @option{all} setting.
7533 @item psfile
7534 Specify a Photoshop curves file (@code{.acv}) to import the settings from.
7535 @item plot
7536 Save Gnuplot script of the curves in specified file.
7537 @end table
7538
7539 To avoid some filtergraph syntax conflicts, each key points list need to be
7540 defined using the following syntax: @code{x0/y0 x1/y1 x2/y2 ...}.
7541
7542 @subsection Examples
7543
7544 @itemize
7545 @item
7546 Increase slightly the middle level of blue:
7547 @example
7548 curves=blue='0/0 0.5/0.58 1/1'
7549 @end example
7550
7551 @item
7552 Vintage effect:
7553 @example
7554 curves=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'
7555 @end example
7556 Here we obtain the following coordinates for each components:
7557 @table @var
7558 @item red
7559 @code{(0;0.11) (0.42;0.51) (1;0.95)}
7560 @item green
7561 @code{(0;0) (0.50;0.48) (1;1)}
7562 @item blue
7563 @code{(0;0.22) (0.49;0.44) (1;0.80)}
7564 @end table
7565
7566 @item
7567 The previous example can also be achieved with the associated built-in preset:
7568 @example
7569 curves=preset=vintage
7570 @end example
7571
7572 @item
7573 Or simply:
7574 @example
7575 curves=vintage
7576 @end example
7577
7578 @item
7579 Use a Photoshop preset and redefine the points of the green component:
7580 @example
7581 curves=psfile='MyCurvesPresets/purple.acv':green='0/0 0.45/0.53 1/1'
7582 @end example
7583
7584 @item
7585 Check out the curves of the @code{cross_process} profile using @command{ffmpeg}
7586 and @command{gnuplot}:
7587 @example
7588 ffmpeg -f lavfi -i color -vf curves=cross_process:plot=/tmp/curves.plt -frames:v 1 -f null -
7589 gnuplot -p /tmp/curves.plt
7590 @end example
7591 @end itemize
7592
7593 @section datascope
7594
7595 Video data analysis filter.
7596
7597 This filter shows hexadecimal pixel values of part of video.
7598
7599 The filter accepts the following options:
7600
7601 @table @option
7602 @item size, s
7603 Set output video size.
7604
7605 @item x
7606 Set x offset from where to pick pixels.
7607
7608 @item y
7609 Set y offset from where to pick pixels.
7610
7611 @item mode
7612 Set scope mode, can be one of the following:
7613 @table @samp
7614 @item mono
7615 Draw hexadecimal pixel values with white color on black background.
7616
7617 @item color
7618 Draw hexadecimal pixel values with input video pixel color on black
7619 background.
7620
7621 @item color2
7622 Draw hexadecimal pixel values on color background picked from input video,
7623 the text color is picked in such way so its always visible.
7624 @end table
7625
7626 @item axis
7627 Draw rows and columns numbers on left and top of video.
7628
7629 @item opacity
7630 Set background opacity.
7631 @end table
7632
7633 @section dctdnoiz
7634
7635 Denoise frames using 2D DCT (frequency domain filtering).
7636
7637 This filter is not designed for real time.
7638
7639 The filter accepts the following options:
7640
7641 @table @option
7642 @item sigma, s
7643 Set the noise sigma constant.
7644
7645 This @var{sigma} defines a hard threshold of @code{3 * sigma}; every DCT
7646 coefficient (absolute value) below this threshold with be dropped.
7647
7648 If you need a more advanced filtering, see @option{expr}.
7649
7650 Default is @code{0}.
7651
7652 @item overlap
7653 Set number overlapping pixels for each block. Since the filter can be slow, you
7654 may want to reduce this value, at the cost of a less effective filter and the
7655 risk of various artefacts.
7656
7657 If the overlapping value doesn't permit processing the whole input width or
7658 height, a warning will be displayed and according borders won't be denoised.
7659
7660 Default value is @var{blocksize}-1, which is the best possible setting.
7661
7662 @item expr, e
7663 Set the coefficient factor expression.
7664
7665 For each coefficient of a DCT block, this expression will be evaluated as a
7666 multiplier value for the coefficient.
7667
7668 If this is option is set, the @option{sigma} option will be ignored.
7669
7670 The absolute value of the coefficient can be accessed through the @var{c}
7671 variable.
7672
7673 @item n
7674 Set the @var{blocksize} using the number of bits. @code{1<<@var{n}} defines the
7675 @var{blocksize}, which is the width and height of the processed blocks.
7676
7677 The default value is @var{3} (8x8) and can be raised to @var{4} for a
7678 @var{blocksize} of 16x16. Note that changing this setting has huge consequences
7679 on the speed processing. Also, a larger block size does not necessarily means a
7680 better de-noising.
7681 @end table
7682
7683 @subsection Examples
7684
7685 Apply a denoise with a @option{sigma} of @code{4.5}:
7686 @example
7687 dctdnoiz=4.5
7688 @end example
7689
7690 The same operation can be achieved using the expression system:
7691 @example
7692 dctdnoiz=e='gte(c, 4.5*3)'
7693 @end example
7694
7695 Violent denoise using a block size of @code{16x16}:
7696 @example
7697 dctdnoiz=15:n=4
7698 @end example
7699
7700 @section deband
7701
7702 Remove banding artifacts from input video.
7703 It works by replacing banded pixels with average value of referenced pixels.
7704
7705 The filter accepts the following options:
7706
7707 @table @option
7708 @item 1thr
7709 @item 2thr
7710 @item 3thr
7711 @item 4thr
7712 Set banding detection threshold for each plane. Default is 0.02.
7713 Valid range is 0.00003 to 0.5.
7714 If difference between current pixel and reference pixel is less than threshold,
7715 it will be considered as banded.
7716
7717 @item range, r
7718 Banding detection range in pixels. Default is 16. If positive, random number
7719 in range 0 to set value will be used. If negative, exact absolute value
7720 will be used.
7721 The range defines square of four pixels around current pixel.
7722
7723 @item direction, d
7724 Set direction in radians from which four pixel will be compared. If positive,
7725 random direction from 0 to set direction will be picked. If negative, exact of
7726 absolute value will be picked. For example direction 0, -PI or -2*PI radians
7727 will pick only pixels on same row and -PI/2 will pick only pixels on same
7728 column.
7729
7730 @item blur, b
7731 If enabled, current pixel is compared with average value of all four
7732 surrounding pixels. The default is enabled. If disabled current pixel is
7733 compared with all four surrounding pixels. The pixel is considered banded
7734 if only all four differences with surrounding pixels are less than threshold.
7735
7736 @item coupling, c
7737 If enabled, current pixel is changed if and only if all pixel components are banded,
7738 e.g. banding detection threshold is triggered for all color components.
7739 The default is disabled.
7740 @end table
7741
7742 @section deblock
7743
7744 Remove blocking artifacts from input video.
7745
7746 The filter accepts the following options:
7747
7748 @table @option
7749 @item filter
7750 Set filter type, can be @var{weak} or @var{strong}. Default is @var{strong}.
7751 This controls what kind of deblocking is applied.
7752
7753 @item block
7754 Set size of block, allowed range is from 4 to 512. Default is @var{8}.
7755
7756 @item alpha
7757 @item beta
7758 @item gamma
7759 @item delta
7760 Set blocking detection thresholds. Allowed range is 0 to 1.
7761 Defaults are: @var{0.098} for @var{alpha} and @var{0.05} for the rest.
7762 Using higher threshold gives more deblocking strength.
7763 Setting @var{alpha} controls threshold detection at exact edge of block.
7764 Remaining options controls threshold detection near the edge. Each one for
7765 below/above or left/right. Setting any of those to @var{0} disables
7766 deblocking.
7767
7768 @item planes
7769 Set planes to filter. Default is to filter all available planes.
7770 @end table
7771
7772 @subsection Examples
7773
7774 @itemize
7775 @item
7776 Deblock using weak filter and block size of 4 pixels.
7777 @example
7778 deblock=filter=weak:block=4
7779 @end example
7780
7781 @item
7782 Deblock using strong filter, block size of 4 pixels and custom thresholds for
7783 deblocking more edges.
7784 @example
7785 deblock=filter=strong:block=4:alpha=0.12:beta=0.07:gamma=0.06:delta=0.05
7786 @end example
7787
7788 @item
7789 Similar as above, but filter only first plane.
7790 @example
7791 deblock=filter=strong:block=4:alpha=0.12:beta=0.07:gamma=0.06:delta=0.05:planes=1
7792 @end example
7793
7794 @item
7795 Similar as above, but filter only second and third plane.
7796 @example
7797 deblock=filter=strong:block=4:alpha=0.12:beta=0.07:gamma=0.06:delta=0.05:planes=6
7798 @end example
7799 @end itemize
7800
7801 @anchor{decimate}
7802 @section decimate
7803
7804 Drop duplicated frames at regular intervals.
7805
7806 The filter accepts the following options:
7807
7808 @table @option
7809 @item cycle
7810 Set the number of frames from which one will be dropped. Setting this to
7811 @var{N} means one frame in every batch of @var{N} frames will be dropped.
7812 Default is @code{5}.
7813
7814 @item dupthresh
7815 Set the threshold for duplicate detection. If the difference metric for a frame
7816 is less than or equal to this value, then it is declared as duplicate. Default
7817 is @code{1.1}
7818
7819 @item scthresh
7820 Set scene change threshold. Default is @code{15}.
7821
7822 @item blockx
7823 @item blocky
7824 Set the size of the x and y-axis blocks used during metric calculations.
7825 Larger blocks give better noise suppression, but also give worse detection of
7826 small movements. Must be a power of two. Default is @code{32}.
7827
7828 @item ppsrc
7829 Mark main input as a pre-processed input and activate clean source input
7830 stream. This allows the input to be pre-processed with various filters to help
7831 the metrics calculation while keeping the frame selection lossless. When set to
7832 @code{1}, the first stream is for the pre-processed input, and the second
7833 stream is the clean source from where the kept frames are chosen. Default is
7834 @code{0}.
7835
7836 @item chroma
7837 Set whether or not chroma is considered in the metric calculations. Default is
7838 @code{1}.
7839 @end table
7840
7841 @section deconvolve
7842
7843 Apply 2D deconvolution of video stream in frequency domain using second stream
7844 as impulse.
7845
7846 The filter accepts the following options:
7847
7848 @table @option
7849 @item planes
7850 Set which planes to process.
7851
7852 @item impulse
7853 Set which impulse video frames will be processed, can be @var{first}
7854 or @var{all}. Default is @var{all}.
7855
7856 @item noise
7857 Set noise when doing divisions. Default is @var{0.0000001}. Useful when width
7858 and height are not same and not power of 2 or if stream prior to convolving
7859 had noise.
7860 @end table
7861
7862 The @code{deconvolve} filter also supports the @ref{framesync} options.
7863
7864 @section dedot
7865
7866 Reduce cross-luminance (dot-crawl) and cross-color (rainbows) from video.
7867
7868 It accepts the following options:
7869
7870 @table @option
7871 @item m
7872 Set mode of operation. Can be combination of @var{dotcrawl} for cross-luminance reduction and/or
7873 @var{rainbows} for cross-color reduction.
7874
7875 @item lt
7876 Set spatial luma threshold. Lower values increases reduction of cross-luminance.
7877
7878 @item tl
7879 Set tolerance for temporal luma. Higher values increases reduction of cross-luminance.
7880
7881 @item tc
7882 Set tolerance for chroma temporal variation. Higher values increases reduction of cross-color.
7883
7884 @item ct
7885 Set temporal chroma threshold. Lower values increases reduction of cross-color.
7886 @end table
7887
7888 @section deflate
7889
7890 Apply deflate effect to the video.
7891
7892 This filter replaces the pixel by the local(3x3) average by taking into account
7893 only values lower than the pixel.
7894
7895 It accepts the following options:
7896
7897 @table @option
7898 @item threshold0
7899 @item threshold1
7900 @item threshold2
7901 @item threshold3
7902 Limit the maximum change for each plane, default is 65535.
7903 If 0, plane will remain unchanged.
7904 @end table
7905
7906 @section deflicker
7907
7908 Remove temporal frame luminance variations.
7909
7910 It accepts the following options:
7911
7912 @table @option
7913 @item size, s
7914 Set moving-average filter size in frames. Default is 5. Allowed range is 2 - 129.
7915
7916 @item mode, m
7917 Set averaging mode to smooth temporal luminance variations.
7918
7919 Available values are:
7920 @table @samp
7921 @item am
7922 Arithmetic mean
7923
7924 @item gm
7925 Geometric mean
7926
7927 @item hm
7928 Harmonic mean
7929
7930 @item qm
7931 Quadratic mean
7932
7933 @item cm
7934 Cubic mean
7935
7936 @item pm
7937 Power mean
7938
7939 @item median
7940 Median
7941 @end table
7942
7943 @item bypass
7944 Do not actually modify frame. Useful when one only wants metadata.
7945 @end table
7946
7947 @section dejudder
7948
7949 Remove judder produced by partially interlaced telecined content.
7950
7951 Judder can be introduced, for instance, by @ref{pullup} filter. If the original
7952 source was partially telecined content then the output of @code{pullup,dejudder}
7953 will have a variable frame rate. May change the recorded frame rate of the
7954 container. Aside from that change, this filter will not affect constant frame
7955 rate video.
7956
7957 The option available in this filter is:
7958 @table @option
7959
7960 @item cycle
7961 Specify the length of the window over which the judder repeats.
7962
7963 Accepts any integer greater than 1. Useful values are:
7964 @table @samp
7965
7966 @item 4
7967 If the original was telecined from 24 to 30 fps (Film to NTSC).
7968
7969 @item 5
7970 If the original was telecined from 25 to 30 fps (PAL to NTSC).
7971
7972 @item 20
7973 If a mixture of the two.
7974 @end table
7975
7976 The default is @samp{4}.
7977 @end table
7978
7979 @section delogo
7980
7981 Suppress a TV station logo by a simple interpolation of the surrounding
7982 pixels. Just set a rectangle covering the logo and watch it disappear
7983 (and sometimes something even uglier appear - your mileage may vary).
7984
7985 It accepts the following parameters:
7986 @table @option
7987
7988 @item x
7989 @item y
7990 Specify the top left corner coordinates of the logo. They must be
7991 specified.
7992
7993 @item w
7994 @item h
7995 Specify the width and height of the logo to clear. They must be
7996 specified.
7997
7998 @item band, t
7999 Specify the thickness of the fuzzy edge of the rectangle (added to
8000 @var{w} and @var{h}). The default value is 1. This option is
8001 deprecated, setting higher values should no longer be necessary and
8002 is not recommended.
8003
8004 @item show
8005 When set to 1, a green rectangle is drawn on the screen to simplify
8006 finding the right @var{x}, @var{y}, @var{w}, and @var{h} parameters.
8007 The default value is 0.
8008
8009 The rectangle is drawn on the outermost pixels which will be (partly)
8010 replaced with interpolated values. The values of the next pixels
8011 immediately outside this rectangle in each direction will be used to
8012 compute the interpolated pixel values inside the rectangle.
8013
8014 @end table
8015
8016 @subsection Examples
8017
8018 @itemize
8019 @item
8020 Set a rectangle covering the area with top left corner coordinates 0,0
8021 and size 100x77, and a band of size 10:
8022 @example
8023 delogo=x=0:y=0:w=100:h=77:band=10
8024 @end example
8025
8026 @end itemize
8027
8028 @section deshake
8029
8030 Attempt to fix small changes in horizontal and/or vertical shift. This
8031 filter helps remove camera shake from hand-holding a camera, bumping a
8032 tripod, moving on a vehicle, etc.
8033
8034 The filter accepts the following options:
8035
8036 @table @option
8037
8038 @item x
8039 @item y
8040 @item w
8041 @item h
8042 Specify a rectangular area where to limit the search for motion
8043 vectors.
8044 If desired the search for motion vectors can be limited to a
8045 rectangular area of the frame defined by its top left corner, width
8046 and height. These parameters have the same meaning as the drawbox
8047 filter which can be used to visualise the position of the bounding
8048 box.
8049
8050 This is useful when simultaneous movement of subjects within the frame
8051 might be confused for camera motion by the motion vector search.
8052
8053 If any or all of @var{x}, @var{y}, @var{w} and @var{h} are set to -1
8054 then the full frame is used. This allows later options to be set
8055 without specifying the bounding box for the motion vector search.
8056
8057 Default - search the whole frame.
8058
8059 @item rx
8060 @item ry
8061 Specify the maximum extent of movement in x and y directions in the
8062 range 0-64 pixels. Default 16.
8063
8064 @item edge
8065 Specify how to generate pixels to fill blanks at the edge of the
8066 frame. Available values are:
8067 @table @samp
8068 @item blank, 0
8069 Fill zeroes at blank locations
8070 @item original, 1
8071 Original image at blank locations
8072 @item clamp, 2
8073 Extruded edge value at blank locations
8074 @item mirror, 3
8075 Mirrored edge at blank locations
8076 @end table
8077 Default value is @samp{mirror}.
8078
8079 @item blocksize
8080 Specify the blocksize to use for motion search. Range 4-128 pixels,
8081 default 8.
8082
8083 @item contrast
8084 Specify the contrast threshold for blocks. Only blocks with more than
8085 the specified contrast (difference between darkest and lightest
8086 pixels) will be considered. Range 1-255, default 125.
8087
8088 @item search
8089 Specify the search strategy. Available values are:
8090 @table @samp
8091 @item exhaustive, 0
8092 Set exhaustive search
8093 @item less, 1
8094 Set less exhaustive search.
8095 @end table
8096 Default value is @samp{exhaustive}.
8097
8098 @item filename
8099 If set then a detailed log of the motion search is written to the
8100 specified file.
8101
8102 @end table
8103
8104 @section despill
8105
8106 Remove unwanted contamination of foreground colors, caused by reflected color of
8107 greenscreen or bluescreen.
8108
8109 This filter accepts the following options:
8110
8111 @table @option
8112 @item type
8113 Set what type of despill to use.
8114
8115 @item mix
8116 Set how spillmap will be generated.
8117
8118 @item expand
8119 Set how much to get rid of still remaining spill.
8120
8121 @item red
8122 Controls amount of red in spill area.
8123
8124 @item green
8125 Controls amount of green in spill area.
8126 Should be -1 for greenscreen.
8127
8128 @item blue
8129 Controls amount of blue in spill area.
8130 Should be -1 for bluescreen.
8131
8132 @item brightness
8133 Controls brightness of spill area, preserving colors.
8134
8135 @item alpha
8136 Modify alpha from generated spillmap.
8137 @end table
8138
8139 @section detelecine
8140
8141 Apply an exact inverse of the telecine operation. It requires a predefined
8142 pattern specified using the pattern option which must be the same as that passed
8143 to the telecine filter.
8144
8145 This filter accepts the following options:
8146
8147 @table @option
8148 @item first_field
8149 @table @samp
8150 @item top, t
8151 top field first
8152 @item bottom, b
8153 bottom field first
8154 The default value is @code{top}.
8155 @end table
8156
8157 @item pattern
8158 A string of numbers representing the pulldown pattern you wish to apply.
8159 The default value is @code{23}.
8160
8161 @item start_frame
8162 A number representing position of the first frame with respect to the telecine
8163 pattern. This is to be used if the stream is cut. The default value is @code{0}.
8164 @end table
8165
8166 @section dilation
8167
8168 Apply dilation effect to the video.
8169
8170 This filter replaces the pixel by the local(3x3) maximum.
8171
8172 It accepts the following options:
8173
8174 @table @option
8175 @item threshold0
8176 @item threshold1
8177 @item threshold2
8178 @item threshold3
8179 Limit the maximum change for each plane, default is 65535.
8180 If 0, plane will remain unchanged.
8181
8182 @item coordinates
8183 Flag which specifies the pixel to refer to. Default is 255 i.e. all eight
8184 pixels are used.
8185
8186 Flags to local 3x3 coordinates maps like this:
8187
8188     1 2 3
8189     4   5
8190     6 7 8
8191 @end table
8192
8193 @section displace
8194
8195 Displace pixels as indicated by second and third input stream.
8196
8197 It takes three input streams and outputs one stream, the first input is the
8198 source, and second and third input are displacement maps.
8199
8200 The second input specifies how much to displace pixels along the
8201 x-axis, while the third input specifies how much to displace pixels
8202 along the y-axis.
8203 If one of displacement map streams terminates, last frame from that
8204 displacement map will be used.
8205
8206 Note that once generated, displacements maps can be reused over and over again.
8207
8208 A description of the accepted options follows.
8209
8210 @table @option
8211 @item edge
8212 Set displace behavior for pixels that are out of range.
8213
8214 Available values are:
8215 @table @samp
8216 @item blank
8217 Missing pixels are replaced by black pixels.
8218
8219 @item smear
8220 Adjacent pixels will spread out to replace missing pixels.
8221
8222 @item wrap
8223 Out of range pixels are wrapped so they point to pixels of other side.
8224
8225 @item mirror
8226 Out of range pixels will be replaced with mirrored pixels.
8227 @end table
8228 Default is @samp{smear}.
8229
8230 @end table
8231
8232 @subsection Examples
8233
8234 @itemize
8235 @item
8236 Add ripple effect to rgb input of video size hd720:
8237 @example
8238 ffmpeg -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
8239 @end example
8240
8241 @item
8242 Add wave effect to rgb input of video size hd720:
8243 @example
8244 ffmpeg -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
8245 @end example
8246 @end itemize
8247
8248 @section drawbox
8249
8250 Draw a colored box on the input image.
8251
8252 It accepts the following parameters:
8253
8254 @table @option
8255 @item x
8256 @item y
8257 The expressions which specify the top left corner coordinates of the box. It defaults to 0.
8258
8259 @item width, w
8260 @item height, h
8261 The expressions which specify the width and height of the box; if 0 they are interpreted as
8262 the input width and height. It defaults to 0.
8263
8264 @item color, c
8265 Specify the color of the box to write. For the general syntax of this option,
8266 check the @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}. If the special
8267 value @code{invert} is used, the box edge color is the same as the
8268 video with inverted luma.
8269
8270 @item thickness, t
8271 The expression which sets the thickness of the box edge.
8272 A value of @code{fill} will create a filled box. Default value is @code{3}.
8273
8274 See below for the list of accepted constants.
8275
8276 @item replace
8277 Applicable if the input has alpha. With value @code{1}, the pixels of the painted box
8278 will overwrite the video's color and alpha pixels.
8279 Default is @code{0}, which composites the box onto the input, leaving the video's alpha intact.
8280 @end table
8281
8282 The parameters for @var{x}, @var{y}, @var{w} and @var{h} and @var{t} are expressions containing the
8283 following constants:
8284
8285 @table @option
8286 @item dar
8287 The input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}.
8288
8289 @item hsub
8290 @item vsub
8291 horizontal and vertical chroma subsample values. For example for the
8292 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
8293
8294 @item in_h, ih
8295 @item in_w, iw
8296 The input width and height.
8297
8298 @item sar
8299 The input sample aspect ratio.
8300
8301 @item x
8302 @item y
8303 The x and y offset coordinates where the box is drawn.
8304
8305 @item w
8306 @item h
8307 The width and height of the drawn box.
8308
8309 @item t
8310 The thickness of the drawn box.
8311
8312 These constants allow the @var{x}, @var{y}, @var{w}, @var{h} and @var{t} expressions to refer to
8313 each other, so you may for example specify @code{y=x/dar} or @code{h=w/dar}.
8314
8315 @end table
8316
8317 @subsection Examples
8318
8319 @itemize
8320 @item
8321 Draw a black box around the edge of the input image:
8322 @example
8323 drawbox
8324 @end example
8325
8326 @item
8327 Draw a box with color red and an opacity of 50%:
8328 @example
8329 drawbox=10:20:200:60:red@@0.5
8330 @end example
8331
8332 The previous example can be specified as:
8333 @example
8334 drawbox=x=10:y=20:w=200:h=60:color=red@@0.5
8335 @end example
8336
8337 @item
8338 Fill the box with pink color:
8339 @example
8340 drawbox=x=10:y=10:w=100:h=100:color=pink@@0.5:t=fill
8341 @end example
8342
8343 @item
8344 Draw a 2-pixel red 2.40:1 mask:
8345 @example
8346 drawbox=x=-t:y=0.5*(ih-iw/2.4)-t:w=iw+t*2:h=iw/2.4+t*2:t=2:c=red
8347 @end example
8348 @end itemize
8349
8350 @section drawgrid
8351
8352 Draw a grid on the input image.
8353
8354 It accepts the following parameters:
8355
8356 @table @option
8357 @item x
8358 @item y
8359 The expressions which specify the coordinates of some point of grid intersection (meant to configure offset). Both default to 0.
8360
8361 @item width, w
8362 @item height, h
8363 The expressions which specify the width and height of the grid cell, if 0 they are interpreted as the
8364 input width and height, respectively, minus @code{thickness}, so image gets
8365 framed. Default to 0.
8366
8367 @item color, c
8368 Specify the color of the grid. For the general syntax of this option,
8369 check the @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}. If the special
8370 value @code{invert} is used, the grid color is the same as the
8371 video with inverted luma.
8372
8373 @item thickness, t
8374 The expression which sets the thickness of the grid line. Default value is @code{1}.
8375
8376 See below for the list of accepted constants.
8377
8378 @item replace
8379 Applicable if the input has alpha. With @code{1} the pixels of the painted grid
8380 will overwrite the video's color and alpha pixels.
8381 Default is @code{0}, which composites the grid onto the input, leaving the video's alpha intact.
8382 @end table
8383
8384 The parameters for @var{x}, @var{y}, @var{w} and @var{h} and @var{t} are expressions containing the
8385 following constants:
8386
8387 @table @option
8388 @item dar
8389 The input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}.
8390
8391 @item hsub
8392 @item vsub
8393 horizontal and vertical chroma subsample values. For example for the
8394 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
8395
8396 @item in_h, ih
8397 @item in_w, iw
8398 The input grid cell width and height.
8399
8400 @item sar
8401 The input sample aspect ratio.
8402
8403 @item x
8404 @item y
8405 The x and y coordinates of some point of grid intersection (meant to configure offset).
8406
8407 @item w
8408 @item h
8409 The width and height of the drawn cell.
8410
8411 @item t
8412 The thickness of the drawn cell.
8413
8414 These constants allow the @var{x}, @var{y}, @var{w}, @var{h} and @var{t} expressions to refer to
8415 each other, so you may for example specify @code{y=x/dar} or @code{h=w/dar}.
8416
8417 @end table
8418
8419 @subsection Examples
8420
8421 @itemize
8422 @item
8423 Draw a grid with cell 100x100 pixels, thickness 2 pixels, with color red and an opacity of 50%:
8424 @example
8425 drawgrid=width=100:height=100:thickness=2:color=red@@0.5
8426 @end example
8427
8428 @item
8429 Draw a white 3x3 grid with an opacity of 50%:
8430 @example
8431 drawgrid=w=iw/3:h=ih/3:t=2:c=white@@0.5
8432 @end example
8433 @end itemize
8434
8435 @anchor{drawtext}
8436 @section drawtext
8437
8438 Draw a text string or text from a specified file on top of a video, using the
8439 libfreetype library.
8440
8441 To enable compilation of this filter, you need to configure FFmpeg with
8442 @code{--enable-libfreetype}.
8443 To enable default font fallback and the @var{font} option you need to
8444 configure FFmpeg with @code{--enable-libfontconfig}.
8445 To enable the @var{text_shaping} option, you need to configure FFmpeg with
8446 @code{--enable-libfribidi}.
8447
8448 @subsection Syntax
8449
8450 It accepts the following parameters:
8451
8452 @table @option
8453
8454 @item box
8455 Used to draw a box around text using the background color.
8456 The value must be either 1 (enable) or 0 (disable).
8457 The default value of @var{box} is 0.
8458
8459 @item boxborderw
8460 Set the width of the border to be drawn around the box using @var{boxcolor}.
8461 The default value of @var{boxborderw} is 0.
8462
8463 @item boxcolor
8464 The color to be used for drawing box around text. For the syntax of this
8465 option, check the @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}.
8466
8467 The default value of @var{boxcolor} is "white".
8468
8469 @item line_spacing
8470 Set the line spacing in pixels of the border to be drawn around the box using @var{box}.
8471 The default value of @var{line_spacing} is 0.
8472
8473 @item borderw
8474 Set the width of the border to be drawn around the text using @var{bordercolor}.
8475 The default value of @var{borderw} is 0.
8476
8477 @item bordercolor
8478 Set the color to be used for drawing border around text. For the syntax of this
8479 option, check the @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}.
8480
8481 The default value of @var{bordercolor} is "black".
8482
8483 @item expansion
8484 Select how the @var{text} is expanded. Can be either @code{none},
8485 @code{strftime} (deprecated) or
8486 @code{normal} (default). See the @ref{drawtext_expansion, Text expansion} section
8487 below for details.
8488
8489 @item basetime
8490 Set a start time for the count. Value is in microseconds. Only applied
8491 in the deprecated strftime expansion mode. To emulate in normal expansion
8492 mode use the @code{pts} function, supplying the start time (in seconds)
8493 as the second argument.
8494
8495 @item fix_bounds
8496 If true, check and fix text coords to avoid clipping.
8497
8498 @item fontcolor
8499 The color to be used for drawing fonts. For the syntax of this option, check
8500 the @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}.
8501
8502 The default value of @var{fontcolor} is "black".
8503
8504 @item fontcolor_expr
8505 String which is expanded the same way as @var{text} to obtain dynamic
8506 @var{fontcolor} value. By default this option has empty value and is not
8507 processed. When this option is set, it overrides @var{fontcolor} option.
8508
8509 @item font
8510 The font family to be used for drawing text. By default Sans.
8511
8512 @item fontfile
8513 The font file to be used for drawing text. The path must be included.
8514 This parameter is mandatory if the fontconfig support is disabled.
8515
8516 @item alpha
8517 Draw the text applying alpha blending. The value can
8518 be a number between 0.0 and 1.0.
8519 The expression accepts the same variables @var{x, y} as well.
8520 The default value is 1.
8521 Please see @var{fontcolor_expr}.
8522
8523 @item fontsize
8524 The font size to be used for drawing text.
8525 The default value of @var{fontsize} is 16.
8526
8527 @item text_shaping
8528 If set to 1, attempt to shape the text (for example, reverse the order of
8529 right-to-left text and join Arabic characters) before drawing it.
8530 Otherwise, just draw the text exactly as given.
8531 By default 1 (if supported).
8532
8533 @item ft_load_flags
8534 The flags to be used for loading the fonts.
8535
8536 The flags map the corresponding flags supported by libfreetype, and are
8537 a combination of the following values:
8538 @table @var
8539 @item default
8540 @item no_scale
8541 @item no_hinting
8542 @item render
8543 @item no_bitmap
8544 @item vertical_layout
8545 @item force_autohint
8546 @item crop_bitmap
8547 @item pedantic
8548 @item ignore_global_advance_width
8549 @item no_recurse
8550 @item ignore_transform
8551 @item monochrome
8552 @item linear_design
8553 @item no_autohint
8554 @end table
8555
8556 Default value is "default".
8557
8558 For more information consult the documentation for the FT_LOAD_*
8559 libfreetype flags.
8560
8561 @item shadowcolor
8562 The color to be used for drawing a shadow behind the drawn text. For the
8563 syntax of this option, check the @ref{color syntax,,"Color" section in the
8564 ffmpeg-utils manual,ffmpeg-utils}.
8565
8566 The default value of @var{shadowcolor} is "black".
8567
8568 @item shadowx
8569 @item shadowy
8570 The x and y offsets for the text shadow position with respect to the
8571 position of the text. They can be either positive or negative
8572 values. The default value for both is "0".
8573
8574 @item start_number
8575 The starting frame number for the n/frame_num variable. The default value
8576 is "0".
8577
8578 @item tabsize
8579 The size in number of spaces to use for rendering the tab.
8580 Default value is 4.
8581
8582 @item timecode
8583 Set the initial timecode representation in "hh:mm:ss[:;.]ff"
8584 format. It can be used with or without text parameter. @var{timecode_rate}
8585 option must be specified.
8586
8587 @item timecode_rate, rate, r
8588 Set the timecode frame rate (timecode only). Value will be rounded to nearest
8589 integer. Minimum value is "1".
8590 Drop-frame timecode is supported for frame rates 30 & 60.
8591
8592 @item tc24hmax
8593 If set to 1, the output of the timecode option will wrap around at 24 hours.
8594 Default is 0 (disabled).
8595
8596 @item text
8597 The text string to be drawn. The text must be a sequence of UTF-8
8598 encoded characters.
8599 This parameter is mandatory if no file is specified with the parameter
8600 @var{textfile}.
8601
8602 @item textfile
8603 A text file containing text to be drawn. The text must be a sequence
8604 of UTF-8 encoded characters.
8605
8606 This parameter is mandatory if no text string is specified with the
8607 parameter @var{text}.
8608
8609 If both @var{text} and @var{textfile} are specified, an error is thrown.
8610
8611 @item reload
8612 If set to 1, the @var{textfile} will be reloaded before each frame.
8613 Be sure to update it atomically, or it may be read partially, or even fail.
8614
8615 @item x
8616 @item y
8617 The expressions which specify the offsets where text will be drawn
8618 within the video frame. They are relative to the top/left border of the
8619 output image.
8620
8621 The default value of @var{x} and @var{y} is "0".
8622
8623 See below for the list of accepted constants and functions.
8624 @end table
8625
8626 The parameters for @var{x} and @var{y} are expressions containing the
8627 following constants and functions:
8628
8629 @table @option
8630 @item dar
8631 input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}
8632
8633 @item hsub
8634 @item vsub
8635 horizontal and vertical chroma subsample values. For example for the
8636 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
8637
8638 @item line_h, lh
8639 the height of each text line
8640
8641 @item main_h, h, H
8642 the input height
8643
8644 @item main_w, w, W
8645 the input width
8646
8647 @item max_glyph_a, ascent
8648 the maximum distance from the baseline to the highest/upper grid
8649 coordinate used to place a glyph outline point, for all the rendered
8650 glyphs.
8651 It is a positive value, due to the grid's orientation with the Y axis
8652 upwards.
8653
8654 @item max_glyph_d, descent
8655 the maximum distance from the baseline to the lowest grid coordinate
8656 used to place a glyph outline point, for all the rendered glyphs.
8657 This is a negative value, due to the grid's orientation, with the Y axis
8658 upwards.
8659
8660 @item max_glyph_h
8661 maximum glyph height, that is the maximum height for all the glyphs
8662 contained in the rendered text, it is equivalent to @var{ascent} -
8663 @var{descent}.
8664
8665 @item max_glyph_w
8666 maximum glyph width, that is the maximum width for all the glyphs
8667 contained in the rendered text
8668
8669 @item n
8670 the number of input frame, starting from 0
8671
8672 @item rand(min, max)
8673 return a random number included between @var{min} and @var{max}
8674
8675 @item sar
8676 The input sample aspect ratio.
8677
8678 @item t
8679 timestamp expressed in seconds, NAN if the input timestamp is unknown
8680
8681 @item text_h, th
8682 the height of the rendered text
8683
8684 @item text_w, tw
8685 the width of the rendered text
8686
8687 @item x
8688 @item y
8689 the x and y offset coordinates where the text is drawn.
8690
8691 These parameters allow the @var{x} and @var{y} expressions to refer
8692 each other, so you can for example specify @code{y=x/dar}.
8693 @end table
8694
8695 @anchor{drawtext_expansion}
8696 @subsection Text expansion
8697
8698 If @option{expansion} is set to @code{strftime},
8699 the filter recognizes strftime() sequences in the provided text and
8700 expands them accordingly. Check the documentation of strftime(). This
8701 feature is deprecated.
8702
8703 If @option{expansion} is set to @code{none}, the text is printed verbatim.
8704
8705 If @option{expansion} is set to @code{normal} (which is the default),
8706 the following expansion mechanism is used.
8707
8708 The backslash character @samp{\}, followed by any character, always expands to
8709 the second character.
8710
8711 Sequences of the form @code{%@{...@}} are expanded. The text between the
8712 braces is a function name, possibly followed by arguments separated by ':'.
8713 If the arguments contain special characters or delimiters (':' or '@}'),
8714 they should be escaped.
8715
8716 Note that they probably must also be escaped as the value for the
8717 @option{text} option in the filter argument string and as the filter
8718 argument in the filtergraph description, and possibly also for the shell,
8719 that makes up to four levels of escaping; using a text file avoids these
8720 problems.
8721
8722 The following functions are available:
8723
8724 @table @command
8725
8726 @item expr, e
8727 The expression evaluation result.
8728
8729 It must take one argument specifying the expression to be evaluated,
8730 which accepts the same constants and functions as the @var{x} and
8731 @var{y} values. Note that not all constants should be used, for
8732 example the text size is not known when evaluating the expression, so
8733 the constants @var{text_w} and @var{text_h} will have an undefined
8734 value.
8735
8736 @item expr_int_format, eif
8737 Evaluate the expression's value and output as formatted integer.
8738
8739 The first argument is the expression to be evaluated, just as for the @var{expr} function.
8740 The second argument specifies the output format. Allowed values are @samp{x},
8741 @samp{X}, @samp{d} and @samp{u}. They are treated exactly as in the
8742 @code{printf} function.
8743 The third parameter is optional and sets the number of positions taken by the output.
8744 It can be used to add padding with zeros from the left.
8745
8746 @item gmtime
8747 The time at which the filter is running, expressed in UTC.
8748 It can accept an argument: a strftime() format string.
8749
8750 @item localtime
8751 The time at which the filter is running, expressed in the local time zone.
8752 It can accept an argument: a strftime() format string.
8753
8754 @item metadata
8755 Frame metadata. Takes one or two arguments.
8756
8757 The first argument is mandatory and specifies the metadata key.
8758
8759 The second argument is optional and specifies a default value, used when the
8760 metadata key is not found or empty.
8761
8762 @item n, frame_num
8763 The frame number, starting from 0.
8764
8765 @item pict_type
8766 A 1 character description of the current picture type.
8767
8768 @item pts
8769 The timestamp of the current frame.
8770 It can take up to three arguments.
8771
8772 The first argument is the format of the timestamp; it defaults to @code{flt}
8773 for seconds as a decimal number with microsecond accuracy; @code{hms} stands
8774 for a formatted @var{[-]HH:MM:SS.mmm} timestamp with millisecond accuracy.
8775 @code{gmtime} stands for the timestamp of the frame formatted as UTC time;
8776 @code{localtime} stands for the timestamp of the frame formatted as
8777 local time zone time.
8778
8779 The second argument is an offset added to the timestamp.
8780
8781 If the format is set to @code{hms}, a third argument @code{24HH} may be
8782 supplied to present the hour part of the formatted timestamp in 24h format
8783 (00-23).
8784
8785 If the format is set to @code{localtime} or @code{gmtime},
8786 a third argument may be supplied: a strftime() format string.
8787 By default, @var{YYYY-MM-DD HH:MM:SS} format will be used.
8788 @end table
8789
8790 @subsection Examples
8791
8792 @itemize
8793 @item
8794 Draw "Test Text" with font FreeSerif, using the default values for the
8795 optional parameters.
8796
8797 @example
8798 drawtext="fontfile=/usr/share/fonts/truetype/freefont/FreeSerif.ttf: text='Test Text'"
8799 @end example
8800
8801 @item
8802 Draw 'Test Text' with font FreeSerif of size 24 at position x=100
8803 and y=50 (counting from the top-left corner of the screen), text is
8804 yellow with a red box around it. Both the text and the box have an
8805 opacity of 20%.
8806
8807 @example
8808 drawtext="fontfile=/usr/share/fonts/truetype/freefont/FreeSerif.ttf: text='Test Text':\
8809           x=100: y=50: fontsize=24: fontcolor=yellow@@0.2: box=1: boxcolor=red@@0.2"
8810 @end example
8811
8812 Note that the double quotes are not necessary if spaces are not used
8813 within the parameter list.
8814
8815 @item
8816 Show the text at the center of the video frame:
8817 @example
8818 drawtext="fontsize=30:fontfile=FreeSerif.ttf:text='hello world':x=(w-text_w)/2:y=(h-text_h)/2"
8819 @end example
8820
8821 @item
8822 Show the text at a random position, switching to a new position every 30 seconds:
8823 @example
8824 drawtext="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)"
8825 @end example
8826
8827 @item
8828 Show a text line sliding from right to left in the last row of the video
8829 frame. The file @file{LONG_LINE} is assumed to contain a single line
8830 with no newlines.
8831 @example
8832 drawtext="fontsize=15:fontfile=FreeSerif.ttf:text=LONG_LINE:y=h-line_h:x=-50*t"
8833 @end example
8834
8835 @item
8836 Show the content of file @file{CREDITS} off the bottom of the frame and scroll up.
8837 @example
8838 drawtext="fontsize=20:fontfile=FreeSerif.ttf:textfile=CREDITS:y=h-20*t"
8839 @end example
8840
8841 @item
8842 Draw a single green letter "g", at the center of the input video.
8843 The glyph baseline is placed at half screen height.
8844 @example
8845 drawtext="fontsize=60:fontfile=FreeSerif.ttf:fontcolor=green:text=g:x=(w-max_glyph_w)/2:y=h/2-ascent"
8846 @end example
8847
8848 @item
8849 Show text for 1 second every 3 seconds:
8850 @example
8851 drawtext="fontfile=FreeSerif.ttf:fontcolor=white:x=100:y=x/dar:enable=lt(mod(t\,3)\,1):text='blink'"
8852 @end example
8853
8854 @item
8855 Use fontconfig to set the font. Note that the colons need to be escaped.
8856 @example
8857 drawtext='fontfile=Linux Libertine O-40\:style=Semibold:text=FFmpeg'
8858 @end example
8859
8860 @item
8861 Print the date of a real-time encoding (see strftime(3)):
8862 @example
8863 drawtext='fontfile=FreeSans.ttf:text=%@{localtime\:%a %b %d %Y@}'
8864 @end example
8865
8866 @item
8867 Show text fading in and out (appearing/disappearing):
8868 @example
8869 #!/bin/sh
8870 DS=1.0 # display start
8871 DE=10.0 # display end
8872 FID=1.5 # fade in duration
8873 FOD=5 # fade out duration
8874 ffplay -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 @}"
8875 @end example
8876
8877 @item
8878 Horizontally align multiple separate texts. Note that @option{max_glyph_a}
8879 and the @option{fontsize} value are included in the @option{y} offset.
8880 @example
8881 drawtext=fontfile=FreeSans.ttf:text=DOG:fontsize=24:x=10:y=20+24-max_glyph_a,
8882 drawtext=fontfile=FreeSans.ttf:text=cow:fontsize=24:x=80:y=20+24-max_glyph_a
8883 @end example
8884
8885 @end itemize
8886
8887 For more information about libfreetype, check:
8888 @url{http://www.freetype.org/}.
8889
8890 For more information about fontconfig, check:
8891 @url{http://freedesktop.org/software/fontconfig/fontconfig-user.html}.
8892
8893 For more information about libfribidi, check:
8894 @url{http://fribidi.org/}.
8895
8896 @section edgedetect
8897
8898 Detect and draw edges. The filter uses the Canny Edge Detection algorithm.
8899
8900 The filter accepts the following options:
8901
8902 @table @option
8903 @item low
8904 @item high
8905 Set low and high threshold values used by the Canny thresholding
8906 algorithm.
8907
8908 The high threshold selects the "strong" edge pixels, which are then
8909 connected through 8-connectivity with the "weak" edge pixels selected
8910 by the low threshold.
8911
8912 @var{low} and @var{high} threshold values must be chosen in the range
8913 [0,1], and @var{low} should be lesser or equal to @var{high}.
8914
8915 Default value for @var{low} is @code{20/255}, and default value for @var{high}
8916 is @code{50/255}.
8917
8918 @item mode
8919 Define the drawing mode.
8920
8921 @table @samp
8922 @item wires
8923 Draw white/gray wires on black background.
8924
8925 @item colormix
8926 Mix the colors to create a paint/cartoon effect.
8927
8928 @item canny
8929 Apply Canny edge detector on all selected planes.
8930 @end table
8931 Default value is @var{wires}.
8932
8933 @item planes
8934 Select planes for filtering. By default all available planes are filtered.
8935 @end table
8936
8937 @subsection Examples
8938
8939 @itemize
8940 @item
8941 Standard edge detection with custom values for the hysteresis thresholding:
8942 @example
8943 edgedetect=low=0.1:high=0.4
8944 @end example
8945
8946 @item
8947 Painting effect without thresholding:
8948 @example
8949 edgedetect=mode=colormix:high=0
8950 @end example
8951 @end itemize
8952
8953 @section eq
8954 Set brightness, contrast, saturation and approximate gamma adjustment.
8955
8956 The filter accepts the following options:
8957
8958 @table @option
8959 @item contrast
8960 Set the contrast expression. The value must be a float value in range
8961 @code{-2.0} to @code{2.0}. The default value is "1".
8962
8963 @item brightness
8964 Set the brightness expression. The value must be a float value in
8965 range @code{-1.0} to @code{1.0}. The default value is "0".
8966
8967 @item saturation
8968 Set the saturation expression. The value must be a float in
8969 range @code{0.0} to @code{3.0}. The default value is "1".
8970
8971 @item gamma
8972 Set the gamma expression. The value must be a float in range
8973 @code{0.1} to @code{10.0}.  The default value is "1".
8974
8975 @item gamma_r
8976 Set the gamma expression for red. The value must be a float in
8977 range @code{0.1} to @code{10.0}. The default value is "1".
8978
8979 @item gamma_g
8980 Set the gamma expression for green. The value must be a float in range
8981 @code{0.1} to @code{10.0}. The default value is "1".
8982
8983 @item gamma_b
8984 Set the gamma expression for blue. The value must be a float in range
8985 @code{0.1} to @code{10.0}. The default value is "1".
8986
8987 @item gamma_weight
8988 Set the gamma weight expression. It can be used to reduce the effect
8989 of a high gamma value on bright image areas, e.g. keep them from
8990 getting overamplified and just plain white. The value must be a float
8991 in range @code{0.0} to @code{1.0}. A value of @code{0.0} turns the
8992 gamma correction all the way down while @code{1.0} leaves it at its
8993 full strength. Default is "1".
8994
8995 @item eval
8996 Set when the expressions for brightness, contrast, saturation and
8997 gamma expressions are evaluated.
8998
8999 It accepts the following values:
9000 @table @samp
9001 @item init
9002 only evaluate expressions once during the filter initialization or
9003 when a command is processed
9004
9005 @item frame
9006 evaluate expressions for each incoming frame
9007 @end table
9008
9009 Default value is @samp{init}.
9010 @end table
9011
9012 The expressions accept the following parameters:
9013 @table @option
9014 @item n
9015 frame count of the input frame starting from 0
9016
9017 @item pos
9018 byte position of the corresponding packet in the input file, NAN if
9019 unspecified
9020
9021 @item r
9022 frame rate of the input video, NAN if the input frame rate is unknown
9023
9024 @item t
9025 timestamp expressed in seconds, NAN if the input timestamp is unknown
9026 @end table
9027
9028 @subsection Commands
9029 The filter supports the following commands:
9030
9031 @table @option
9032 @item contrast
9033 Set the contrast expression.
9034
9035 @item brightness
9036 Set the brightness expression.
9037
9038 @item saturation
9039 Set the saturation expression.
9040
9041 @item gamma
9042 Set the gamma expression.
9043
9044 @item gamma_r
9045 Set the gamma_r expression.
9046
9047 @item gamma_g
9048 Set gamma_g expression.
9049
9050 @item gamma_b
9051 Set gamma_b expression.
9052
9053 @item gamma_weight
9054 Set gamma_weight expression.
9055
9056 The command accepts the same syntax of the corresponding option.
9057
9058 If the specified expression is not valid, it is kept at its current
9059 value.
9060
9061 @end table
9062
9063 @section erosion
9064
9065 Apply erosion effect to the video.
9066
9067 This filter replaces the pixel by the local(3x3) minimum.
9068
9069 It accepts the following options:
9070
9071 @table @option
9072 @item threshold0
9073 @item threshold1
9074 @item threshold2
9075 @item threshold3
9076 Limit the maximum change for each plane, default is 65535.
9077 If 0, plane will remain unchanged.
9078
9079 @item coordinates
9080 Flag which specifies the pixel to refer to. Default is 255 i.e. all eight
9081 pixels are used.
9082
9083 Flags to local 3x3 coordinates maps like this:
9084
9085     1 2 3
9086     4   5
9087     6 7 8
9088 @end table
9089
9090 @section extractplanes
9091
9092 Extract color channel components from input video stream into
9093 separate grayscale video streams.
9094
9095 The filter accepts the following option:
9096
9097 @table @option
9098 @item planes
9099 Set plane(s) to extract.
9100
9101 Available values for planes are:
9102 @table @samp
9103 @item y
9104 @item u
9105 @item v
9106 @item a
9107 @item r
9108 @item g
9109 @item b
9110 @end table
9111
9112 Choosing planes not available in the input will result in an error.
9113 That means you cannot select @code{r}, @code{g}, @code{b} planes
9114 with @code{y}, @code{u}, @code{v} planes at same time.
9115 @end table
9116
9117 @subsection Examples
9118
9119 @itemize
9120 @item
9121 Extract luma, u and v color channel component from input video frame
9122 into 3 grayscale outputs:
9123 @example
9124 ffmpeg -i video.avi -filter_complex 'extractplanes=y+u+v[y][u][v]' -map '[y]' y.avi -map '[u]' u.avi -map '[v]' v.avi
9125 @end example
9126 @end itemize
9127
9128 @section elbg
9129
9130 Apply a posterize effect using the ELBG (Enhanced LBG) algorithm.
9131
9132 For each input image, the filter will compute the optimal mapping from
9133 the input to the output given the codebook length, that is the number
9134 of distinct output colors.
9135
9136 This filter accepts the following options.
9137
9138 @table @option
9139 @item codebook_length, l
9140 Set codebook length. The value must be a positive integer, and
9141 represents the number of distinct output colors. Default value is 256.
9142
9143 @item nb_steps, n
9144 Set the maximum number of iterations to apply for computing the optimal
9145 mapping. The higher the value the better the result and the higher the
9146 computation time. Default value is 1.
9147
9148 @item seed, s
9149 Set a random seed, must be an integer included between 0 and
9150 UINT32_MAX. If not specified, or if explicitly set to -1, the filter
9151 will try to use a good random seed on a best effort basis.
9152
9153 @item pal8
9154 Set pal8 output pixel format. This option does not work with codebook
9155 length greater than 256.
9156 @end table
9157
9158 @section entropy
9159
9160 Measure graylevel entropy in histogram of color channels of video frames.
9161
9162 It accepts the following parameters:
9163
9164 @table @option
9165 @item mode
9166 Can be either @var{normal} or @var{diff}. Default is @var{normal}.
9167
9168 @var{diff} mode measures entropy of histogram delta values, absolute differences
9169 between neighbour histogram values.
9170 @end table
9171
9172 @section fade
9173
9174 Apply a fade-in/out effect to the input video.
9175
9176 It accepts the following parameters:
9177
9178 @table @option
9179 @item type, t
9180 The effect type can be either "in" for a fade-in, or "out" for a fade-out
9181 effect.
9182 Default is @code{in}.
9183
9184 @item start_frame, s
9185 Specify the number of the frame to start applying the fade
9186 effect at. Default is 0.
9187
9188 @item nb_frames, n
9189 The number of frames that the fade effect lasts. At the end of the
9190 fade-in effect, the output video will have the same intensity as the input video.
9191 At the end of the fade-out transition, the output video will be filled with the
9192 selected @option{color}.
9193 Default is 25.
9194
9195 @item alpha
9196 If set to 1, fade only alpha channel, if one exists on the input.
9197 Default value is 0.
9198
9199 @item start_time, st
9200 Specify the timestamp (in seconds) of the frame to start to apply the fade
9201 effect. If both start_frame and start_time are specified, the fade will start at
9202 whichever comes last.  Default is 0.
9203
9204 @item duration, d
9205 The number of seconds for which the fade effect has to last. At the end of the
9206 fade-in effect the output video will have the same intensity as the input video,
9207 at the end of the fade-out transition the output video will be filled with the
9208 selected @option{color}.
9209 If both duration and nb_frames are specified, duration is used. Default is 0
9210 (nb_frames is used by default).
9211
9212 @item color, c
9213 Specify the color of the fade. Default is "black".
9214 @end table
9215
9216 @subsection Examples
9217
9218 @itemize
9219 @item
9220 Fade in the first 30 frames of video:
9221 @example
9222 fade=in:0:30
9223 @end example
9224
9225 The command above is equivalent to:
9226 @example
9227 fade=t=in:s=0:n=30
9228 @end example
9229
9230 @item
9231 Fade out the last 45 frames of a 200-frame video:
9232 @example
9233 fade=out:155:45
9234 fade=type=out:start_frame=155:nb_frames=45
9235 @end example
9236
9237 @item
9238 Fade in the first 25 frames and fade out the last 25 frames of a 1000-frame video:
9239 @example
9240 fade=in:0:25, fade=out:975:25
9241 @end example
9242
9243 @item
9244 Make the first 5 frames yellow, then fade in from frame 5-24:
9245 @example
9246 fade=in:5:20:color=yellow
9247 @end example
9248
9249 @item
9250 Fade in alpha over first 25 frames of video:
9251 @example
9252 fade=in:0:25:alpha=1
9253 @end example
9254
9255 @item
9256 Make the first 5.5 seconds black, then fade in for 0.5 seconds:
9257 @example
9258 fade=t=in:st=5.5:d=0.5
9259 @end example
9260
9261 @end itemize
9262
9263 @section fftfilt
9264 Apply arbitrary expressions to samples in frequency domain
9265
9266 @table @option
9267 @item dc_Y
9268 Adjust the dc value (gain) of the luma plane of the image. The filter
9269 accepts an integer value in range @code{0} to @code{1000}. The default
9270 value is set to @code{0}.
9271
9272 @item dc_U
9273 Adjust the dc value (gain) of the 1st chroma plane of the image. The
9274 filter accepts an integer value in range @code{0} to @code{1000}. The
9275 default value is set to @code{0}.
9276
9277 @item dc_V
9278 Adjust the dc value (gain) of the 2nd chroma plane of the image. The
9279 filter accepts an integer value in range @code{0} to @code{1000}. The
9280 default value is set to @code{0}.
9281
9282 @item weight_Y
9283 Set the frequency domain weight expression for the luma plane.
9284
9285 @item weight_U
9286 Set the frequency domain weight expression for the 1st chroma plane.
9287
9288 @item weight_V
9289 Set the frequency domain weight expression for the 2nd chroma plane.
9290
9291 @item eval
9292 Set when the expressions are evaluated.
9293
9294 It accepts the following values:
9295 @table @samp
9296 @item init
9297 Only evaluate expressions once during the filter initialization.
9298
9299 @item frame
9300 Evaluate expressions for each incoming frame.
9301 @end table
9302
9303 Default value is @samp{init}.
9304
9305 The filter accepts the following variables:
9306 @item X
9307 @item Y
9308 The coordinates of the current sample.
9309
9310 @item W
9311 @item H
9312 The width and height of the image.
9313
9314 @item N
9315 The number of input frame, starting from 0.
9316 @end table
9317
9318 @subsection Examples
9319
9320 @itemize
9321 @item
9322 High-pass:
9323 @example
9324 fftfilt=dc_Y=128:weight_Y='squish(1-(Y+X)/100)'
9325 @end example
9326
9327 @item
9328 Low-pass:
9329 @example
9330 fftfilt=dc_Y=0:weight_Y='squish((Y+X)/100-1)'
9331 @end example
9332
9333 @item
9334 Sharpen:
9335 @example
9336 fftfilt=dc_Y=0:weight_Y='1+squish(1-(Y+X)/100)'
9337 @end example
9338
9339 @item
9340 Blur:
9341 @example
9342 fftfilt=dc_Y=0:weight_Y='exp(-4 * ((Y+X)/(W+H)))'
9343 @end example
9344
9345 @end itemize
9346
9347 @section fftdnoiz
9348 Denoise frames using 3D FFT (frequency domain filtering).
9349
9350 The filter accepts the following options:
9351
9352 @table @option
9353 @item sigma
9354 Set the noise sigma constant. This sets denoising strength.
9355 Default value is 1. Allowed range is from 0 to 30.
9356 Using very high sigma with low overlap may give blocking artifacts.
9357
9358 @item amount
9359 Set amount of denoising. By default all detected noise is reduced.
9360 Default value is 1. Allowed range is from 0 to 1.
9361
9362 @item block
9363 Set size of block, Default is 4, can be 3, 4, 5 or 6.
9364 Actual size of block in pixels is 2 to power of @var{block}, so by default
9365 block size in pixels is 2^4 which is 16.
9366
9367 @item overlap
9368 Set block overlap. Default is 0.5. Allowed range is from 0.2 to 0.8.
9369
9370 @item prev
9371 Set number of previous frames to use for denoising. By default is set to 0.
9372
9373 @item next
9374 Set number of next frames to to use for denoising. By default is set to 0.
9375
9376 @item planes
9377 Set planes which will be filtered, by default are all available filtered
9378 except alpha.
9379 @end table
9380
9381 @section field
9382
9383 Extract a single field from an interlaced image using stride
9384 arithmetic to avoid wasting CPU time. The output frames are marked as
9385 non-interlaced.
9386
9387 The filter accepts the following options:
9388
9389 @table @option
9390 @item type
9391 Specify whether to extract the top (if the value is @code{0} or
9392 @code{top}) or the bottom field (if the value is @code{1} or
9393 @code{bottom}).
9394 @end table
9395
9396 @section fieldhint
9397
9398 Create new frames by copying the top and bottom fields from surrounding frames
9399 supplied as numbers by the hint file.
9400
9401 @table @option
9402 @item hint
9403 Set file containing hints: absolute/relative frame numbers.
9404
9405 There must be one line for each frame in a clip. Each line must contain two
9406 numbers separated by the comma, optionally followed by @code{-} or @code{+}.
9407 Numbers supplied on each line of file can not be out of [N-1,N+1] where N
9408 is current frame number for @code{absolute} mode or out of [-1, 1] range
9409 for @code{relative} mode. First number tells from which frame to pick up top
9410 field and second number tells from which frame to pick up bottom field.
9411
9412 If optionally followed by @code{+} output frame will be marked as interlaced,
9413 else if followed by @code{-} output frame will be marked as progressive, else
9414 it will be marked same as input frame.
9415 If line starts with @code{#} or @code{;} that line is skipped.
9416
9417 @item mode
9418 Can be item @code{absolute} or @code{relative}. Default is @code{absolute}.
9419 @end table
9420
9421 Example of first several lines of @code{hint} file for @code{relative} mode:
9422 @example
9423 0,0 - # first frame
9424 1,0 - # second frame, use third's frame top field and second's frame bottom field
9425 1,0 - # third frame, use fourth's frame top field and third's frame bottom field
9426 1,0 -
9427 0,0 -
9428 0,0 -
9429 1,0 -
9430 1,0 -
9431 1,0 -
9432 0,0 -
9433 0,0 -
9434 1,0 -
9435 1,0 -
9436 1,0 -
9437 0,0 -
9438 @end example
9439
9440 @section fieldmatch
9441
9442 Field matching filter for inverse telecine. It is meant to reconstruct the
9443 progressive frames from a telecined stream. The filter does not drop duplicated
9444 frames, so to achieve a complete inverse telecine @code{fieldmatch} needs to be
9445 followed by a decimation filter such as @ref{decimate} in the filtergraph.
9446
9447 The separation of the field matching and the decimation is notably motivated by
9448 the possibility of inserting a de-interlacing filter fallback between the two.
9449 If the source has mixed telecined and real interlaced content,
9450 @code{fieldmatch} will not be able to match fields for the interlaced parts.
9451 But these remaining combed frames will be marked as interlaced, and thus can be
9452 de-interlaced by a later filter such as @ref{yadif} before decimation.
9453
9454 In addition to the various configuration options, @code{fieldmatch} can take an
9455 optional second stream, activated through the @option{ppsrc} option. If
9456 enabled, the frames reconstruction will be based on the fields and frames from
9457 this second stream. This allows the first input to be pre-processed in order to
9458 help the various algorithms of the filter, while keeping the output lossless
9459 (assuming the fields are matched properly). Typically, a field-aware denoiser,
9460 or brightness/contrast adjustments can help.
9461
9462 Note that this filter uses the same algorithms as TIVTC/TFM (AviSynth project)
9463 and VIVTC/VFM (VapourSynth project). The later is a light clone of TFM from
9464 which @code{fieldmatch} is based on. While the semantic and usage are very
9465 close, some behaviour and options names can differ.
9466
9467 The @ref{decimate} filter currently only works for constant frame rate input.
9468 If your input has mixed telecined (30fps) and progressive content with a lower
9469 framerate like 24fps use the following filterchain to produce the necessary cfr
9470 stream: @code{dejudder,fps=30000/1001,fieldmatch,decimate}.
9471
9472 The filter accepts the following options:
9473
9474 @table @option
9475 @item order
9476 Specify the assumed field order of the input stream. Available values are:
9477
9478 @table @samp
9479 @item auto
9480 Auto detect parity (use FFmpeg's internal parity value).
9481 @item bff
9482 Assume bottom field first.
9483 @item tff
9484 Assume top field first.
9485 @end table
9486
9487 Note that it is sometimes recommended not to trust the parity announced by the
9488 stream.
9489
9490 Default value is @var{auto}.
9491
9492 @item mode
9493 Set the matching mode or strategy to use. @option{pc} mode is the safest in the
9494 sense that it won't risk creating jerkiness due to duplicate frames when
9495 possible, but if there are bad edits or blended fields it will end up
9496 outputting combed frames when a good match might actually exist. On the other
9497 hand, @option{pcn_ub} mode is the most risky in terms of creating jerkiness,
9498 but will almost always find a good frame if there is one. The other values are
9499 all somewhere in between @option{pc} and @option{pcn_ub} in terms of risking
9500 jerkiness and creating duplicate frames versus finding good matches in sections
9501 with bad edits, orphaned fields, blended fields, etc.
9502
9503 More details about p/c/n/u/b are available in @ref{p/c/n/u/b meaning} section.
9504
9505 Available values are:
9506
9507 @table @samp
9508 @item pc
9509 2-way matching (p/c)
9510 @item pc_n
9511 2-way matching, and trying 3rd match if still combed (p/c + n)
9512 @item pc_u
9513 2-way matching, and trying 3rd match (same order) if still combed (p/c + u)
9514 @item pc_n_ub
9515 2-way matching, trying 3rd match if still combed, and trying 4th/5th matches if
9516 still combed (p/c + n + u/b)
9517 @item pcn
9518 3-way matching (p/c/n)
9519 @item pcn_ub
9520 3-way matching, and trying 4th/5th matches if all 3 of the original matches are
9521 detected as combed (p/c/n + u/b)
9522 @end table
9523
9524 The parenthesis at the end indicate the matches that would be used for that
9525 mode assuming @option{order}=@var{tff} (and @option{field} on @var{auto} or
9526 @var{top}).
9527
9528 In terms of speed @option{pc} mode is by far the fastest and @option{pcn_ub} is
9529 the slowest.
9530
9531 Default value is @var{pc_n}.
9532
9533 @item ppsrc
9534 Mark the main input stream as a pre-processed input, and enable the secondary
9535 input stream as the clean source to pick the fields from. See the filter
9536 introduction for more details. It is similar to the @option{clip2} feature from
9537 VFM/TFM.
9538
9539 Default value is @code{0} (disabled).
9540
9541 @item field
9542 Set the field to match from. It is recommended to set this to the same value as
9543 @option{order} unless you experience matching failures with that setting. In
9544 certain circumstances changing the field that is used to match from can have a
9545 large impact on matching performance. Available values are:
9546
9547 @table @samp
9548 @item auto
9549 Automatic (same value as @option{order}).
9550 @item bottom
9551 Match from the bottom field.
9552 @item top
9553 Match from the top field.
9554 @end table
9555
9556 Default value is @var{auto}.
9557
9558 @item mchroma
9559 Set whether or not chroma is included during the match comparisons. In most
9560 cases it is recommended to leave this enabled. You should set this to @code{0}
9561 only if your clip has bad chroma problems such as heavy rainbowing or other
9562 artifacts. Setting this to @code{0} could also be used to speed things up at
9563 the cost of some accuracy.
9564
9565 Default value is @code{1}.
9566
9567 @item y0
9568 @item y1
9569 These define an exclusion band which excludes the lines between @option{y0} and
9570 @option{y1} from being included in the field matching decision. An exclusion
9571 band can be used to ignore subtitles, a logo, or other things that may
9572 interfere with the matching. @option{y0} sets the starting scan line and
9573 @option{y1} sets the ending line; all lines in between @option{y0} and
9574 @option{y1} (including @option{y0} and @option{y1}) will be ignored. Setting
9575 @option{y0} and @option{y1} to the same value will disable the feature.
9576 @option{y0} and @option{y1} defaults to @code{0}.
9577
9578 @item scthresh
9579 Set the scene change detection threshold as a percentage of maximum change on
9580 the luma plane. Good values are in the @code{[8.0, 14.0]} range. Scene change
9581 detection is only relevant in case @option{combmatch}=@var{sc}.  The range for
9582 @option{scthresh} is @code{[0.0, 100.0]}.
9583
9584 Default value is @code{12.0}.
9585
9586 @item combmatch
9587 When @option{combatch} is not @var{none}, @code{fieldmatch} will take into
9588 account the combed scores of matches when deciding what match to use as the
9589 final match. Available values are:
9590
9591 @table @samp
9592 @item none
9593 No final matching based on combed scores.
9594 @item sc
9595 Combed scores are only used when a scene change is detected.
9596 @item full
9597 Use combed scores all the time.
9598 @end table
9599
9600 Default is @var{sc}.
9601
9602 @item combdbg
9603 Force @code{fieldmatch} to calculate the combed metrics for certain matches and
9604 print them. This setting is known as @option{micout} in TFM/VFM vocabulary.
9605 Available values are:
9606
9607 @table @samp
9608 @item none
9609 No forced calculation.
9610 @item pcn
9611 Force p/c/n calculations.
9612 @item pcnub
9613 Force p/c/n/u/b calculations.
9614 @end table
9615
9616 Default value is @var{none}.
9617
9618 @item cthresh
9619 This is the area combing threshold used for combed frame detection. This
9620 essentially controls how "strong" or "visible" combing must be to be detected.
9621 Larger values mean combing must be more visible and smaller values mean combing
9622 can be less visible or strong and still be detected. Valid settings are from
9623 @code{-1} (every pixel will be detected as combed) to @code{255} (no pixel will
9624 be detected as combed). This is basically a pixel difference value. A good
9625 range is @code{[8, 12]}.
9626
9627 Default value is @code{9}.
9628
9629 @item chroma
9630 Sets whether or not chroma is considered in the combed frame decision.  Only
9631 disable this if your source has chroma problems (rainbowing, etc.) that are
9632 causing problems for the combed frame detection with chroma enabled. Actually,
9633 using @option{chroma}=@var{0} is usually more reliable, except for the case
9634 where there is chroma only combing in the source.
9635
9636 Default value is @code{0}.
9637
9638 @item blockx
9639 @item blocky
9640 Respectively set the x-axis and y-axis size of the window used during combed
9641 frame detection. This has to do with the size of the area in which
9642 @option{combpel} pixels are required to be detected as combed for a frame to be
9643 declared combed. See the @option{combpel} parameter description for more info.
9644 Possible values are any number that is a power of 2 starting at 4 and going up
9645 to 512.
9646
9647 Default value is @code{16}.
9648
9649 @item combpel
9650 The number of combed pixels inside any of the @option{blocky} by
9651 @option{blockx} size blocks on the frame for the frame to be detected as
9652 combed. While @option{cthresh} controls how "visible" the combing must be, this
9653 setting controls "how much" combing there must be in any localized area (a
9654 window defined by the @option{blockx} and @option{blocky} settings) on the
9655 frame. Minimum value is @code{0} and maximum is @code{blocky x blockx} (at
9656 which point no frames will ever be detected as combed). This setting is known
9657 as @option{MI} in TFM/VFM vocabulary.
9658
9659 Default value is @code{80}.
9660 @end table
9661
9662 @anchor{p/c/n/u/b meaning}
9663 @subsection p/c/n/u/b meaning
9664
9665 @subsubsection p/c/n
9666
9667 We assume the following telecined stream:
9668
9669 @example
9670 Top fields:     1 2 2 3 4
9671 Bottom fields:  1 2 3 4 4
9672 @end example
9673
9674 The numbers correspond to the progressive frame the fields relate to. Here, the
9675 first two frames are progressive, the 3rd and 4th are combed, and so on.
9676
9677 When @code{fieldmatch} is configured to run a matching from bottom
9678 (@option{field}=@var{bottom}) this is how this input stream get transformed:
9679
9680 @example
9681 Input stream:
9682                 T     1 2 2 3 4
9683                 B     1 2 3 4 4   <-- matching reference
9684
9685 Matches:              c c n n c
9686
9687 Output stream:
9688                 T     1 2 3 4 4
9689                 B     1 2 3 4 4
9690 @end example
9691
9692 As a result of the field matching, we can see that some frames get duplicated.
9693 To perform a complete inverse telecine, you need to rely on a decimation filter
9694 after this operation. See for instance the @ref{decimate} filter.
9695
9696 The same operation now matching from top fields (@option{field}=@var{top})
9697 looks like this:
9698
9699 @example
9700 Input stream:
9701                 T     1 2 2 3 4   <-- matching reference
9702                 B     1 2 3 4 4
9703
9704 Matches:              c c p p c
9705
9706 Output stream:
9707                 T     1 2 2 3 4
9708                 B     1 2 2 3 4
9709 @end example
9710
9711 In these examples, we can see what @var{p}, @var{c} and @var{n} mean;
9712 basically, they refer to the frame and field of the opposite parity:
9713
9714 @itemize
9715 @item @var{p} matches the field of the opposite parity in the previous frame
9716 @item @var{c} matches the field of the opposite parity in the current frame
9717 @item @var{n} matches the field of the opposite parity in the next frame
9718 @end itemize
9719
9720 @subsubsection u/b
9721
9722 The @var{u} and @var{b} matching are a bit special in the sense that they match
9723 from the opposite parity flag. In the following examples, we assume that we are
9724 currently matching the 2nd frame (Top:2, bottom:2). According to the match, a
9725 'x' is placed above and below each matched fields.
9726
9727 With bottom matching (@option{field}=@var{bottom}):
9728 @example
9729 Match:           c         p           n          b          u
9730
9731                  x       x               x        x          x
9732   Top          1 2 2     1 2 2       1 2 2      1 2 2      1 2 2
9733   Bottom       1 2 3     1 2 3       1 2 3      1 2 3      1 2 3
9734                  x         x           x        x              x
9735
9736 Output frames:
9737                  2          1          2          2          2
9738                  2          2          2          1          3
9739 @end example
9740
9741 With top matching (@option{field}=@var{top}):
9742 @example
9743 Match:           c         p           n          b          u
9744
9745                  x         x           x        x              x
9746   Top          1 2 2     1 2 2       1 2 2      1 2 2      1 2 2
9747   Bottom       1 2 3     1 2 3       1 2 3      1 2 3      1 2 3
9748                  x       x               x        x          x
9749
9750 Output frames:
9751                  2          2          2          1          2
9752                  2          1          3          2          2
9753 @end example
9754
9755 @subsection Examples
9756
9757 Simple IVTC of a top field first telecined stream:
9758 @example
9759 fieldmatch=order=tff:combmatch=none, decimate
9760 @end example
9761
9762 Advanced IVTC, with fallback on @ref{yadif} for still combed frames:
9763 @example
9764 fieldmatch=order=tff:combmatch=full, yadif=deint=interlaced, decimate
9765 @end example
9766
9767 @section fieldorder
9768
9769 Transform the field order of the input video.
9770
9771 It accepts the following parameters:
9772
9773 @table @option
9774
9775 @item order
9776 The output field order. Valid values are @var{tff} for top field first or @var{bff}
9777 for bottom field first.
9778 @end table
9779
9780 The default value is @samp{tff}.
9781
9782 The transformation is done by shifting the picture content up or down
9783 by one line, and filling the remaining line with appropriate picture content.
9784 This method is consistent with most broadcast field order converters.
9785
9786 If the input video is not flagged as being interlaced, or it is already
9787 flagged as being of the required output field order, then this filter does
9788 not alter the incoming video.
9789
9790 It is very useful when converting to or from PAL DV material,
9791 which is bottom field first.
9792
9793 For example:
9794 @example
9795 ffmpeg -i in.vob -vf "fieldorder=bff" out.dv
9796 @end example
9797
9798 @section fifo, afifo
9799
9800 Buffer input images and send them when they are requested.
9801
9802 It is mainly useful when auto-inserted by the libavfilter
9803 framework.
9804
9805 It does not take parameters.
9806
9807 @section fillborders
9808
9809 Fill borders of the input video, without changing video stream dimensions.
9810 Sometimes video can have garbage at the four edges and you may not want to
9811 crop video input to keep size multiple of some number.
9812
9813 This filter accepts the following options:
9814
9815 @table @option
9816 @item left
9817 Number of pixels to fill from left border.
9818
9819 @item right
9820 Number of pixels to fill from right border.
9821
9822 @item top
9823 Number of pixels to fill from top border.
9824
9825 @item bottom
9826 Number of pixels to fill from bottom border.
9827
9828 @item mode
9829 Set fill mode.
9830
9831 It accepts the following values:
9832 @table @samp
9833 @item smear
9834 fill pixels using outermost pixels
9835
9836 @item mirror
9837 fill pixels using mirroring
9838
9839 @item fixed
9840 fill pixels with constant value
9841 @end table
9842
9843 Default is @var{smear}.
9844
9845 @item color
9846 Set color for pixels in fixed mode. Default is @var{black}.
9847 @end table
9848
9849 @section find_rect
9850
9851 Find a rectangular object
9852
9853 It accepts the following options:
9854
9855 @table @option
9856 @item object
9857 Filepath of the object image, needs to be in gray8.
9858
9859 @item threshold
9860 Detection threshold, default is 0.5.
9861
9862 @item mipmaps
9863 Number of mipmaps, default is 3.
9864
9865 @item xmin, ymin, xmax, ymax
9866 Specifies the rectangle in which to search.
9867 @end table
9868
9869 @subsection Examples
9870
9871 @itemize
9872 @item
9873 Generate a representative palette of a given video using @command{ffmpeg}:
9874 @example
9875 ffmpeg -i file.ts -vf find_rect=newref.pgm,cover_rect=cover.jpg:mode=cover new.mkv
9876 @end example
9877 @end itemize
9878
9879 @section cover_rect
9880
9881 Cover a rectangular object
9882
9883 It accepts the following options:
9884
9885 @table @option
9886 @item cover
9887 Filepath of the optional cover image, needs to be in yuv420.
9888
9889 @item mode
9890 Set covering mode.
9891
9892 It accepts the following values:
9893 @table @samp
9894 @item cover
9895 cover it by the supplied image
9896 @item blur
9897 cover it by interpolating the surrounding pixels
9898 @end table
9899
9900 Default value is @var{blur}.
9901 @end table
9902
9903 @subsection Examples
9904
9905 @itemize
9906 @item
9907 Generate a representative palette of a given video using @command{ffmpeg}:
9908 @example
9909 ffmpeg -i file.ts -vf find_rect=newref.pgm,cover_rect=cover.jpg:mode=cover new.mkv
9910 @end example
9911 @end itemize
9912
9913 @section floodfill
9914
9915 Flood area with values of same pixel components with another values.
9916
9917 It accepts the following options:
9918 @table @option
9919 @item x
9920 Set pixel x coordinate.
9921
9922 @item y
9923 Set pixel y coordinate.
9924
9925 @item s0
9926 Set source #0 component value.
9927
9928 @item s1
9929 Set source #1 component value.
9930
9931 @item s2
9932 Set source #2 component value.
9933
9934 @item s3
9935 Set source #3 component value.
9936
9937 @item d0
9938 Set destination #0 component value.
9939
9940 @item d1
9941 Set destination #1 component value.
9942
9943 @item d2
9944 Set destination #2 component value.
9945
9946 @item d3
9947 Set destination #3 component value.
9948 @end table
9949
9950 @anchor{format}
9951 @section format
9952
9953 Convert the input video to one of the specified pixel formats.
9954 Libavfilter will try to pick one that is suitable as input to
9955 the next filter.
9956
9957 It accepts the following parameters:
9958 @table @option
9959
9960 @item pix_fmts
9961 A '|'-separated list of pixel format names, such as
9962 "pix_fmts=yuv420p|monow|rgb24".
9963
9964 @end table
9965
9966 @subsection Examples
9967
9968 @itemize
9969 @item
9970 Convert the input video to the @var{yuv420p} format
9971 @example
9972 format=pix_fmts=yuv420p
9973 @end example
9974
9975 Convert the input video to any of the formats in the list
9976 @example
9977 format=pix_fmts=yuv420p|yuv444p|yuv410p
9978 @end example
9979 @end itemize
9980
9981 @anchor{fps}
9982 @section fps
9983
9984 Convert the video to specified constant frame rate by duplicating or dropping
9985 frames as necessary.
9986
9987 It accepts the following parameters:
9988 @table @option
9989
9990 @item fps
9991 The desired output frame rate. The default is @code{25}.
9992
9993 @item start_time
9994 Assume the first PTS should be the given value, in seconds. This allows for
9995 padding/trimming at the start of stream. By default, no assumption is made
9996 about the first frame's expected PTS, so no padding or trimming is done.
9997 For example, this could be set to 0 to pad the beginning with duplicates of
9998 the first frame if a video stream starts after the audio stream or to trim any
9999 frames with a negative PTS.
10000
10001 @item round
10002 Timestamp (PTS) rounding method.
10003
10004 Possible values are:
10005 @table @option
10006 @item zero
10007 round towards 0
10008 @item inf
10009 round away from 0
10010 @item down
10011 round towards -infinity
10012 @item up
10013 round towards +infinity
10014 @item near
10015 round to nearest
10016 @end table
10017 The default is @code{near}.
10018
10019 @item eof_action
10020 Action performed when reading the last frame.
10021
10022 Possible values are:
10023 @table @option
10024 @item round
10025 Use same timestamp rounding method as used for other frames.
10026 @item pass
10027 Pass through last frame if input duration has not been reached yet.
10028 @end table
10029 The default is @code{round}.
10030
10031 @end table
10032
10033 Alternatively, the options can be specified as a flat string:
10034 @var{fps}[:@var{start_time}[:@var{round}]].
10035
10036 See also the @ref{setpts} filter.
10037
10038 @subsection Examples
10039
10040 @itemize
10041 @item
10042 A typical usage in order to set the fps to 25:
10043 @example
10044 fps=fps=25
10045 @end example
10046
10047 @item
10048 Sets the fps to 24, using abbreviation and rounding method to round to nearest:
10049 @example
10050 fps=fps=film:round=near
10051 @end example
10052 @end itemize
10053
10054 @section framepack
10055
10056 Pack two different video streams into a stereoscopic video, setting proper
10057 metadata on supported codecs. The two views should have the same size and
10058 framerate and processing will stop when the shorter video ends. Please note
10059 that you may conveniently adjust view properties with the @ref{scale} and
10060 @ref{fps} filters.
10061
10062 It accepts the following parameters:
10063 @table @option
10064
10065 @item format
10066 The desired packing format. Supported values are:
10067
10068 @table @option
10069
10070 @item sbs
10071 The views are next to each other (default).
10072
10073 @item tab
10074 The views are on top of each other.
10075
10076 @item lines
10077 The views are packed by line.
10078
10079 @item columns
10080 The views are packed by column.
10081
10082 @item frameseq
10083 The views are temporally interleaved.
10084
10085 @end table
10086
10087 @end table
10088
10089 Some examples:
10090
10091 @example
10092 # Convert left and right views into a frame-sequential video
10093 ffmpeg -i LEFT -i RIGHT -filter_complex framepack=frameseq OUTPUT
10094
10095 # Convert views into a side-by-side video with the same output resolution as the input
10096 ffmpeg -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
10097 @end example
10098
10099 @section framerate
10100
10101 Change the frame rate by interpolating new video output frames from the source
10102 frames.
10103
10104 This filter is not designed to function correctly with interlaced media. If
10105 you wish to change the frame rate of interlaced media then you are required
10106 to deinterlace before this filter and re-interlace after this filter.
10107
10108 A description of the accepted options follows.
10109
10110 @table @option
10111 @item fps
10112 Specify the output frames per second. This option can also be specified
10113 as a value alone. The default is @code{50}.
10114
10115 @item interp_start
10116 Specify the start of a range where the output frame will be created as a
10117 linear interpolation of two frames. The range is [@code{0}-@code{255}],
10118 the default is @code{15}.
10119
10120 @item interp_end
10121 Specify the end of a range where the output frame will be created as a
10122 linear interpolation of two frames. The range is [@code{0}-@code{255}],
10123 the default is @code{240}.
10124
10125 @item scene
10126 Specify the level at which a scene change is detected as a value between
10127 0 and 100 to indicate a new scene; a low value reflects a low
10128 probability for the current frame to introduce a new scene, while a higher
10129 value means the current frame is more likely to be one.
10130 The default is @code{8.2}.
10131
10132 @item flags
10133 Specify flags influencing the filter process.
10134
10135 Available value for @var{flags} is:
10136
10137 @table @option
10138 @item scene_change_detect, scd
10139 Enable scene change detection using the value of the option @var{scene}.
10140 This flag is enabled by default.
10141 @end table
10142 @end table
10143
10144 @section framestep
10145
10146 Select one frame every N-th frame.
10147
10148 This filter accepts the following option:
10149 @table @option
10150 @item step
10151 Select frame after every @code{step} frames.
10152 Allowed values are positive integers higher than 0. Default value is @code{1}.
10153 @end table
10154
10155 @section freezedetect
10156
10157 Detect frozen video.
10158
10159 This filter logs a message and sets frame metadata when it detects that the
10160 input video has no significant change in content during a specified duration.
10161 Video freeze detection calculates the mean average absolute difference of all
10162 the components of video frames and compares it to a noise floor.
10163
10164 The printed times and duration are expressed in seconds. The
10165 @code{lavfi.freezedetect.freeze_start} metadata key is set on the first frame
10166 whose timestamp equals or exceeds the detection duration and it contains the
10167 timestamp of the first frame of the freeze. The
10168 @code{lavfi.freezedetect.freeze_duration} and
10169 @code{lavfi.freezedetect.freeze_end} metadata keys are set on the first frame
10170 after the freeze.
10171
10172 The filter accepts the following options:
10173
10174 @table @option
10175 @item noise, n
10176 Set noise tolerance. Can be specified in dB (in case "dB" is appended to the
10177 specified value) or as a difference ratio between 0 and 1. Default is -60dB, or
10178 0.001.
10179
10180 @item duration, d
10181 Set freeze duration until notification (default is 2 seconds).
10182 @end table
10183
10184 @anchor{frei0r}
10185 @section frei0r
10186
10187 Apply a frei0r effect to the input video.
10188
10189 To enable the compilation of this filter, you need to install the frei0r
10190 header and configure FFmpeg with @code{--enable-frei0r}.
10191
10192 It accepts the following parameters:
10193
10194 @table @option
10195
10196 @item filter_name
10197 The name of the frei0r effect to load. If the environment variable
10198 @env{FREI0R_PATH} is defined, the frei0r effect is searched for in each of the
10199 directories specified by the colon-separated list in @env{FREI0R_PATH}.
10200 Otherwise, the standard frei0r paths are searched, in this order:
10201 @file{HOME/.frei0r-1/lib/}, @file{/usr/local/lib/frei0r-1/},
10202 @file{/usr/lib/frei0r-1/}.
10203
10204 @item filter_params
10205 A '|'-separated list of parameters to pass to the frei0r effect.
10206
10207 @end table
10208
10209 A frei0r effect parameter can be a boolean (its value is either
10210 "y" or "n"), a double, a color (specified as
10211 @var{R}/@var{G}/@var{B}, where @var{R}, @var{G}, and @var{B} are floating point
10212 numbers between 0.0 and 1.0, inclusive) or a color description as specified in the
10213 @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils},
10214 a position (specified as @var{X}/@var{Y}, where
10215 @var{X} and @var{Y} are floating point numbers) and/or a string.
10216
10217 The number and types of parameters depend on the loaded effect. If an
10218 effect parameter is not specified, the default value is set.
10219
10220 @subsection Examples
10221
10222 @itemize
10223 @item
10224 Apply the distort0r effect, setting the first two double parameters:
10225 @example
10226 frei0r=filter_name=distort0r:filter_params=0.5|0.01
10227 @end example
10228
10229 @item
10230 Apply the colordistance effect, taking a color as the first parameter:
10231 @example
10232 frei0r=colordistance:0.2/0.3/0.4
10233 frei0r=colordistance:violet
10234 frei0r=colordistance:0x112233
10235 @end example
10236
10237 @item
10238 Apply the perspective effect, specifying the top left and top right image
10239 positions:
10240 @example
10241 frei0r=perspective:0.2/0.2|0.8/0.2
10242 @end example
10243 @end itemize
10244
10245 For more information, see
10246 @url{http://frei0r.dyne.org}
10247
10248 @section fspp
10249
10250 Apply fast and simple postprocessing. It is a faster version of @ref{spp}.
10251
10252 It splits (I)DCT into horizontal/vertical passes. Unlike the simple post-
10253 processing filter, one of them is performed once per block, not per pixel.
10254 This allows for much higher speed.
10255
10256 The filter accepts the following options:
10257
10258 @table @option
10259 @item quality
10260 Set quality. This option defines the number of levels for averaging. It accepts
10261 an integer in the range 4-5. Default value is @code{4}.
10262
10263 @item qp
10264 Force a constant quantization parameter. It accepts an integer in range 0-63.
10265 If not set, the filter will use the QP from the video stream (if available).
10266
10267 @item strength
10268 Set filter strength. It accepts an integer in range -15 to 32. Lower values mean
10269 more details but also more artifacts, while higher values make the image smoother
10270 but also blurrier. Default value is @code{0} âˆ’ PSNR optimal.
10271
10272 @item use_bframe_qp
10273 Enable the use of the QP from the B-Frames if set to @code{1}. Using this
10274 option may cause flicker since the B-Frames have often larger QP. Default is
10275 @code{0} (not enabled).
10276
10277 @end table
10278
10279 @section gblur
10280
10281 Apply Gaussian blur filter.
10282
10283 The filter accepts the following options:
10284
10285 @table @option
10286 @item sigma
10287 Set horizontal sigma, standard deviation of Gaussian blur. Default is @code{0.5}.
10288
10289 @item steps
10290 Set number of steps for Gaussian approximation. Default is @code{1}.
10291
10292 @item planes
10293 Set which planes to filter. By default all planes are filtered.
10294
10295 @item sigmaV
10296 Set vertical sigma, if negative it will be same as @code{sigma}.
10297 Default is @code{-1}.
10298 @end table
10299
10300 @section geq
10301
10302 Apply generic equation to each pixel.
10303
10304 The filter accepts the following options:
10305
10306 @table @option
10307 @item lum_expr, lum
10308 Set the luminance expression.
10309 @item cb_expr, cb
10310 Set the chrominance blue expression.
10311 @item cr_expr, cr
10312 Set the chrominance red expression.
10313 @item alpha_expr, a
10314 Set the alpha expression.
10315 @item red_expr, r
10316 Set the red expression.
10317 @item green_expr, g
10318 Set the green expression.
10319 @item blue_expr, b
10320 Set the blue expression.
10321 @end table
10322
10323 The colorspace is selected according to the specified options. If one
10324 of the @option{lum_expr}, @option{cb_expr}, or @option{cr_expr}
10325 options is specified, the filter will automatically select a YCbCr
10326 colorspace. If one of the @option{red_expr}, @option{green_expr}, or
10327 @option{blue_expr} options is specified, it will select an RGB
10328 colorspace.
10329
10330 If one of the chrominance expression is not defined, it falls back on the other
10331 one. If no alpha expression is specified it will evaluate to opaque value.
10332 If none of chrominance expressions are specified, they will evaluate
10333 to the luminance expression.
10334
10335 The expressions can use the following variables and functions:
10336
10337 @table @option
10338 @item N
10339 The sequential number of the filtered frame, starting from @code{0}.
10340
10341 @item X
10342 @item Y
10343 The coordinates of the current sample.
10344
10345 @item W
10346 @item H
10347 The width and height of the image.
10348
10349 @item SW
10350 @item SH
10351 Width and height scale depending on the currently filtered plane. It is the
10352 ratio between the corresponding luma plane number of pixels and the current
10353 plane ones. E.g. for YUV4:2:0 the values are @code{1,1} for the luma plane, and
10354 @code{0.5,0.5} for chroma planes.
10355
10356 @item T
10357 Time of the current frame, expressed in seconds.
10358
10359 @item p(x, y)
10360 Return the value of the pixel at location (@var{x},@var{y}) of the current
10361 plane.
10362
10363 @item lum(x, y)
10364 Return the value of the pixel at location (@var{x},@var{y}) of the luminance
10365 plane.
10366
10367 @item cb(x, y)
10368 Return the value of the pixel at location (@var{x},@var{y}) of the
10369 blue-difference chroma plane. Return 0 if there is no such plane.
10370
10371 @item cr(x, y)
10372 Return the value of the pixel at location (@var{x},@var{y}) of the
10373 red-difference chroma plane. Return 0 if there is no such plane.
10374
10375 @item r(x, y)
10376 @item g(x, y)
10377 @item b(x, y)
10378 Return the value of the pixel at location (@var{x},@var{y}) of the
10379 red/green/blue component. Return 0 if there is no such component.
10380
10381 @item alpha(x, y)
10382 Return the value of the pixel at location (@var{x},@var{y}) of the alpha
10383 plane. Return 0 if there is no such plane.
10384 @end table
10385
10386 For functions, if @var{x} and @var{y} are outside the area, the value will be
10387 automatically clipped to the closer edge.
10388
10389 @subsection Examples
10390
10391 @itemize
10392 @item
10393 Flip the image horizontally:
10394 @example
10395 geq=p(W-X\,Y)
10396 @end example
10397
10398 @item
10399 Generate a bidimensional sine wave, with angle @code{PI/3} and a
10400 wavelength of 100 pixels:
10401 @example
10402 geq=128 + 100*sin(2*(PI/100)*(cos(PI/3)*(X-50*T) + sin(PI/3)*Y)):128:128
10403 @end example
10404
10405 @item
10406 Generate a fancy enigmatic moving light:
10407 @example
10408 nullsrc=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
10409 @end example
10410
10411 @item
10412 Generate a quick emboss effect:
10413 @example
10414 format=gray,geq=lum_expr='(p(X,Y)+(256-p(X-4,Y-4)))/2'
10415 @end example
10416
10417 @item
10418 Modify RGB components depending on pixel position:
10419 @example
10420 geq=r='X/W*r(X,Y)':g='(1-X/W)*g(X,Y)':b='(H-Y)/H*b(X,Y)'
10421 @end example
10422
10423 @item
10424 Create a radial gradient that is the same size as the input (also see
10425 the @ref{vignette} filter):
10426 @example
10427 geq=lum=255*gauss((X/W-0.5)*3)*gauss((Y/H-0.5)*3)/gauss(0)/gauss(0),format=gray
10428 @end example
10429 @end itemize
10430
10431 @section gradfun
10432
10433 Fix the banding artifacts that are sometimes introduced into nearly flat
10434 regions by truncation to 8-bit color depth.
10435 Interpolate the gradients that should go where the bands are, and
10436 dither them.
10437
10438 It is designed for playback only.  Do not use it prior to
10439 lossy compression, because compression tends to lose the dither and
10440 bring back the bands.
10441
10442 It accepts the following parameters:
10443
10444 @table @option
10445
10446 @item strength
10447 The maximum amount by which the filter will change any one pixel. This is also
10448 the threshold for detecting nearly flat regions. Acceptable values range from
10449 .51 to 64; the default value is 1.2. Out-of-range values will be clipped to the
10450 valid range.
10451
10452 @item radius
10453 The neighborhood to fit the gradient to. A larger radius makes for smoother
10454 gradients, but also prevents the filter from modifying the pixels near detailed
10455 regions. Acceptable values are 8-32; the default value is 16. Out-of-range
10456 values will be clipped to the valid range.
10457
10458 @end table
10459
10460 Alternatively, the options can be specified as a flat string:
10461 @var{strength}[:@var{radius}]
10462
10463 @subsection Examples
10464
10465 @itemize
10466 @item
10467 Apply the filter with a @code{3.5} strength and radius of @code{8}:
10468 @example
10469 gradfun=3.5:8
10470 @end example
10471
10472 @item
10473 Specify radius, omitting the strength (which will fall-back to the default
10474 value):
10475 @example
10476 gradfun=radius=8
10477 @end example
10478
10479 @end itemize
10480
10481 @section graphmonitor, agraphmonitor
10482 Show various filtergraph stats.
10483
10484 With this filter one can debug complete filtergraph.
10485 Especially issues with links filling with queued frames.
10486
10487 The filter accepts the following options:
10488
10489 @table @option
10490 @item size, s
10491 Set video output size. Default is @var{hd720}.
10492
10493 @item opacity, o
10494 Set video opacity. Default is @var{0.9}. Allowed range is from @var{0} to @var{1}.
10495
10496 @item mode, m
10497 Set output mode, can be @var{fulll} or @var{compact}.
10498 In @var{compact} mode only filters with some queued frames have displayed stats.
10499
10500 @item flags, f
10501 Set flags which enable which stats are shown in video.
10502
10503 Available values for flags are:
10504 @table @samp
10505 @item queue
10506 Display number of queued frames in each link.
10507
10508 @item frame_count_in
10509 Display number of frames taken from filter.
10510
10511 @item frame_count_out
10512 Display number of frames given out from filter.
10513
10514 @item pts
10515 Display current filtered frame pts.
10516
10517 @item time
10518 Display current filtered frame time.
10519
10520 @item timebase
10521 Display time base for filter link.
10522
10523 @item format
10524 Display used format for filter link.
10525
10526 @item size
10527 Display video size or number of audio channels in case of audio used by filter link.
10528
10529 @item rate
10530 Display video frame rate or sample rate in case of audio used by filter link.
10531 @end table
10532
10533 @item rate, r
10534 Set upper limit for video rate of output stream, Default value is @var{25}.
10535 This guarantee that output video frame rate will not be higher than this value.
10536 @end table
10537
10538 @section greyedge
10539 A color constancy variation filter which estimates scene illumination via grey edge algorithm
10540 and corrects the scene colors accordingly.
10541
10542 See: @url{https://staff.science.uva.nl/th.gevers/pub/GeversTIP07.pdf}
10543
10544 The filter accepts the following options:
10545
10546 @table @option
10547 @item difford
10548 The order of differentiation to be applied on the scene. Must be chosen in the range
10549 [0,2] and default value is 1.
10550
10551 @item minknorm
10552 The Minkowski parameter to be used for calculating the Minkowski distance. Must
10553 be chosen in the range [0,20] and default value is 1. Set to 0 for getting
10554 max value instead of calculating Minkowski distance.
10555
10556 @item sigma
10557 The standard deviation of Gaussian blur to be applied on the scene. Must be
10558 chosen in the range [0,1024.0] and default value = 1. floor( @var{sigma} * break_off_sigma(3) )
10559 can't be equal to 0 if @var{difford} is greater than 0.
10560 @end table
10561
10562 @subsection Examples
10563 @itemize
10564
10565 @item
10566 Grey Edge:
10567 @example
10568 greyedge=difford=1:minknorm=5:sigma=2
10569 @end example
10570
10571 @item
10572 Max Edge:
10573 @example
10574 greyedge=difford=1:minknorm=0:sigma=2
10575 @end example
10576
10577 @end itemize
10578
10579 @anchor{haldclut}
10580 @section haldclut
10581
10582 Apply a Hald CLUT to a video stream.
10583
10584 First input is the video stream to process, and second one is the Hald CLUT.
10585 The Hald CLUT input can be a simple picture or a complete video stream.
10586
10587 The filter accepts the following options:
10588
10589 @table @option
10590 @item shortest
10591 Force termination when the shortest input terminates. Default is @code{0}.
10592 @item repeatlast
10593 Continue applying the last CLUT after the end of the stream. A value of
10594 @code{0} disable the filter after the last frame of the CLUT is reached.
10595 Default is @code{1}.
10596 @end table
10597
10598 @code{haldclut} also has the same interpolation options as @ref{lut3d} (both
10599 filters share the same internals).
10600
10601 More information about the Hald CLUT can be found on Eskil Steenberg's website
10602 (Hald CLUT author) at @url{http://www.quelsolaar.com/technology/clut.html}.
10603
10604 @subsection Workflow examples
10605
10606 @subsubsection Hald CLUT video stream
10607
10608 Generate an identity Hald CLUT stream altered with various effects:
10609 @example
10610 ffmpeg -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
10611 @end example
10612
10613 Note: make sure you use a lossless codec.
10614
10615 Then use it with @code{haldclut} to apply it on some random stream:
10616 @example
10617 ffmpeg -f lavfi -i mandelbrot -i clut.nut -filter_complex '[0][1] haldclut' -t 20 mandelclut.mkv
10618 @end example
10619
10620 The Hald CLUT will be applied to the 10 first seconds (duration of
10621 @file{clut.nut}), then the latest picture of that CLUT stream will be applied
10622 to the remaining frames of the @code{mandelbrot} stream.
10623
10624 @subsubsection Hald CLUT with preview
10625
10626 A Hald CLUT is supposed to be a squared image of @code{Level*Level*Level} by
10627 @code{Level*Level*Level} pixels. For a given Hald CLUT, FFmpeg will select the
10628 biggest possible square starting at the top left of the picture. The remaining
10629 padding pixels (bottom or right) will be ignored. This area can be used to add
10630 a preview of the Hald CLUT.
10631
10632 Typically, the following generated Hald CLUT will be supported by the
10633 @code{haldclut} filter:
10634
10635 @example
10636 ffmpeg -f lavfi -i @ref{haldclutsrc}=8 -vf "
10637    pad=iw+320 [padded_clut];
10638    smptebars=s=320x256, split [a][b];
10639    [padded_clut][a] overlay=W-320:h, curves=color_negative [main];
10640    [main][b] overlay=W-320" -frames:v 1 clut.png
10641 @end example
10642
10643 It contains the original and a preview of the effect of the CLUT: SMPTE color
10644 bars are displayed on the right-top, and below the same color bars processed by
10645 the color changes.
10646
10647 Then, the effect of this Hald CLUT can be visualized with:
10648 @example
10649 ffplay input.mkv -vf "movie=clut.png, [in] haldclut"
10650 @end example
10651
10652 @section hflip
10653
10654 Flip the input video horizontally.
10655
10656 For example, to horizontally flip the input video with @command{ffmpeg}:
10657 @example
10658 ffmpeg -i in.avi -vf "hflip" out.avi
10659 @end example
10660
10661 @section histeq
10662 This filter applies a global color histogram equalization on a
10663 per-frame basis.
10664
10665 It can be used to correct video that has a compressed range of pixel
10666 intensities.  The filter redistributes the pixel intensities to
10667 equalize their distribution across the intensity range. It may be
10668 viewed as an "automatically adjusting contrast filter". This filter is
10669 useful only for correcting degraded or poorly captured source
10670 video.
10671
10672 The filter accepts the following options:
10673
10674 @table @option
10675 @item strength
10676 Determine the amount of equalization to be applied.  As the strength
10677 is reduced, the distribution of pixel intensities more-and-more
10678 approaches that of the input frame. The value must be a float number
10679 in the range [0,1] and defaults to 0.200.
10680
10681 @item intensity
10682 Set the maximum intensity that can generated and scale the output
10683 values appropriately.  The strength should be set as desired and then
10684 the intensity can be limited if needed to avoid washing-out. The value
10685 must be a float number in the range [0,1] and defaults to 0.210.
10686
10687 @item antibanding
10688 Set the antibanding level. If enabled the filter will randomly vary
10689 the luminance of output pixels by a small amount to avoid banding of
10690 the histogram. Possible values are @code{none}, @code{weak} or
10691 @code{strong}. It defaults to @code{none}.
10692 @end table
10693
10694 @section histogram
10695
10696 Compute and draw a color distribution histogram for the input video.
10697
10698 The computed histogram is a representation of the color component
10699 distribution in an image.
10700
10701 Standard histogram displays the color components distribution in an image.
10702 Displays color graph for each color component. Shows distribution of
10703 the Y, U, V, A or R, G, B components, depending on input format, in the
10704 current frame. Below each graph a color component scale meter is shown.
10705
10706 The filter accepts the following options:
10707
10708 @table @option
10709 @item level_height
10710 Set height of level. Default value is @code{200}.
10711 Allowed range is [50, 2048].
10712
10713 @item scale_height
10714 Set height of color scale. Default value is @code{12}.
10715 Allowed range is [0, 40].
10716
10717 @item display_mode
10718 Set display mode.
10719 It accepts the following values:
10720 @table @samp
10721 @item stack
10722 Per color component graphs are placed below each other.
10723
10724 @item parade
10725 Per color component graphs are placed side by side.
10726
10727 @item overlay
10728 Presents information identical to that in the @code{parade}, except
10729 that the graphs representing color components are superimposed directly
10730 over one another.
10731 @end table
10732 Default is @code{stack}.
10733
10734 @item levels_mode
10735 Set mode. Can be either @code{linear}, or @code{logarithmic}.
10736 Default is @code{linear}.
10737
10738 @item components
10739 Set what color components to display.
10740 Default is @code{7}.
10741
10742 @item fgopacity
10743 Set foreground opacity. Default is @code{0.7}.
10744
10745 @item bgopacity
10746 Set background opacity. Default is @code{0.5}.
10747 @end table
10748
10749 @subsection Examples
10750
10751 @itemize
10752
10753 @item
10754 Calculate and draw histogram:
10755 @example
10756 ffplay -i input -vf histogram
10757 @end example
10758
10759 @end itemize
10760
10761 @anchor{hqdn3d}
10762 @section hqdn3d
10763
10764 This is a high precision/quality 3d denoise filter. It aims to reduce
10765 image noise, producing smooth images and making still images really
10766 still. It should enhance compressibility.
10767
10768 It accepts the following optional parameters:
10769
10770 @table @option
10771 @item luma_spatial
10772 A non-negative floating point number which specifies spatial luma strength.
10773 It defaults to 4.0.
10774
10775 @item chroma_spatial
10776 A non-negative floating point number which specifies spatial chroma strength.
10777 It defaults to 3.0*@var{luma_spatial}/4.0.
10778
10779 @item luma_tmp
10780 A floating point number which specifies luma temporal strength. It defaults to
10781 6.0*@var{luma_spatial}/4.0.
10782
10783 @item chroma_tmp
10784 A floating point number which specifies chroma temporal strength. It defaults to
10785 @var{luma_tmp}*@var{chroma_spatial}/@var{luma_spatial}.
10786 @end table
10787
10788 @anchor{hwdownload}
10789 @section hwdownload
10790
10791 Download hardware frames to system memory.
10792
10793 The input must be in hardware frames, and the output a non-hardware format.
10794 Not all formats will be supported on the output - it may be necessary to insert
10795 an additional @option{format} filter immediately following in the graph to get
10796 the output in a supported format.
10797
10798 @section hwmap
10799
10800 Map hardware frames to system memory or to another device.
10801
10802 This filter has several different modes of operation; which one is used depends
10803 on the input and output formats:
10804 @itemize
10805 @item
10806 Hardware frame input, normal frame output
10807
10808 Map the input frames to system memory and pass them to the output.  If the
10809 original hardware frame is later required (for example, after overlaying
10810 something else on part of it), the @option{hwmap} filter can be used again
10811 in the next mode to retrieve it.
10812 @item
10813 Normal frame input, hardware frame output
10814
10815 If the input is actually a software-mapped hardware frame, then unmap it -
10816 that is, return the original hardware frame.
10817
10818 Otherwise, a device must be provided.  Create new hardware surfaces on that
10819 device for the output, then map them back to the software format at the input
10820 and give those frames to the preceding filter.  This will then act like the
10821 @option{hwupload} filter, but may be able to avoid an additional copy when
10822 the input is already in a compatible format.
10823 @item
10824 Hardware frame input and output
10825
10826 A device must be supplied for the output, either directly or with the
10827 @option{derive_device} option.  The input and output devices must be of
10828 different types and compatible - the exact meaning of this is
10829 system-dependent, but typically it means that they must refer to the same
10830 underlying hardware context (for example, refer to the same graphics card).
10831
10832 If the input frames were originally created on the output device, then unmap
10833 to retrieve the original frames.
10834
10835 Otherwise, map the frames to the output device - create new hardware frames
10836 on the output corresponding to the frames on the input.
10837 @end itemize
10838
10839 The following additional parameters are accepted:
10840
10841 @table @option
10842 @item mode
10843 Set the frame mapping mode.  Some combination of:
10844 @table @var
10845 @item read
10846 The mapped frame should be readable.
10847 @item write
10848 The mapped frame should be writeable.
10849 @item overwrite
10850 The mapping will always overwrite the entire frame.
10851
10852 This may improve performance in some cases, as the original contents of the
10853 frame need not be loaded.
10854 @item direct
10855 The mapping must not involve any copying.
10856
10857 Indirect mappings to copies of frames are created in some cases where either
10858 direct mapping is not possible or it would have unexpected properties.
10859 Setting this flag ensures that the mapping is direct and will fail if that is
10860 not possible.
10861 @end table
10862 Defaults to @var{read+write} if not specified.
10863
10864 @item derive_device @var{type}
10865 Rather than using the device supplied at initialisation, instead derive a new
10866 device of type @var{type} from the device the input frames exist on.
10867
10868 @item reverse
10869 In a hardware to hardware mapping, map in reverse - create frames in the sink
10870 and map them back to the source.  This may be necessary in some cases where
10871 a mapping in one direction is required but only the opposite direction is
10872 supported by the devices being used.
10873
10874 This option is dangerous - it may break the preceding filter in undefined
10875 ways if there are any additional constraints on that filter's output.
10876 Do not use it without fully understanding the implications of its use.
10877 @end table
10878
10879 @anchor{hwupload}
10880 @section hwupload
10881
10882 Upload system memory frames to hardware surfaces.
10883
10884 The device to upload to must be supplied when the filter is initialised.  If
10885 using ffmpeg, select the appropriate device with the @option{-filter_hw_device}
10886 option.
10887
10888 @anchor{hwupload_cuda}
10889 @section hwupload_cuda
10890
10891 Upload system memory frames to a CUDA device.
10892
10893 It accepts the following optional parameters:
10894
10895 @table @option
10896 @item device
10897 The number of the CUDA device to use
10898 @end table
10899
10900 @section hqx
10901
10902 Apply a high-quality magnification filter designed for pixel art. This filter
10903 was originally created by Maxim Stepin.
10904
10905 It accepts the following option:
10906
10907 @table @option
10908 @item n
10909 Set the scaling dimension: @code{2} for @code{hq2x}, @code{3} for
10910 @code{hq3x} and @code{4} for @code{hq4x}.
10911 Default is @code{3}.
10912 @end table
10913
10914 @section hstack
10915 Stack input videos horizontally.
10916
10917 All streams must be of same pixel format and of same height.
10918
10919 Note that this filter is faster than using @ref{overlay} and @ref{pad} filter
10920 to create same output.
10921
10922 The filter accept the following option:
10923
10924 @table @option
10925 @item inputs
10926 Set number of input streams. Default is 2.
10927
10928 @item shortest
10929 If set to 1, force the output to terminate when the shortest input
10930 terminates. Default value is 0.
10931 @end table
10932
10933 @section hue
10934
10935 Modify the hue and/or the saturation of the input.
10936
10937 It accepts the following parameters:
10938
10939 @table @option
10940 @item h
10941 Specify the hue angle as a number of degrees. It accepts an expression,
10942 and defaults to "0".
10943
10944 @item s
10945 Specify the saturation in the [-10,10] range. It accepts an expression and
10946 defaults to "1".
10947
10948 @item H
10949 Specify the hue angle as a number of radians. It accepts an
10950 expression, and defaults to "0".
10951
10952 @item b
10953 Specify the brightness in the [-10,10] range. It accepts an expression and
10954 defaults to "0".
10955 @end table
10956
10957 @option{h} and @option{H} are mutually exclusive, and can't be
10958 specified at the same time.
10959
10960 The @option{b}, @option{h}, @option{H} and @option{s} option values are
10961 expressions containing the following constants:
10962
10963 @table @option
10964 @item n
10965 frame count of the input frame starting from 0
10966
10967 @item pts
10968 presentation timestamp of the input frame expressed in time base units
10969
10970 @item r
10971 frame rate of the input video, NAN if the input frame rate is unknown
10972
10973 @item t
10974 timestamp expressed in seconds, NAN if the input timestamp is unknown
10975
10976 @item tb
10977 time base of the input video
10978 @end table
10979
10980 @subsection Examples
10981
10982 @itemize
10983 @item
10984 Set the hue to 90 degrees and the saturation to 1.0:
10985 @example
10986 hue=h=90:s=1
10987 @end example
10988
10989 @item
10990 Same command but expressing the hue in radians:
10991 @example
10992 hue=H=PI/2:s=1
10993 @end example
10994
10995 @item
10996 Rotate hue and make the saturation swing between 0
10997 and 2 over a period of 1 second:
10998 @example
10999 hue="H=2*PI*t: s=sin(2*PI*t)+1"
11000 @end example
11001
11002 @item
11003 Apply a 3 seconds saturation fade-in effect starting at 0:
11004 @example
11005 hue="s=min(t/3\,1)"
11006 @end example
11007
11008 The general fade-in expression can be written as:
11009 @example
11010 hue="s=min(0\, max((t-START)/DURATION\, 1))"
11011 @end example
11012
11013 @item
11014 Apply a 3 seconds saturation fade-out effect starting at 5 seconds:
11015 @example
11016 hue="s=max(0\, min(1\, (8-t)/3))"
11017 @end example
11018
11019 The general fade-out expression can be written as:
11020 @example
11021 hue="s=max(0\, min(1\, (START+DURATION-t)/DURATION))"
11022 @end example
11023
11024 @end itemize
11025
11026 @subsection Commands
11027
11028 This filter supports the following commands:
11029 @table @option
11030 @item b
11031 @item s
11032 @item h
11033 @item H
11034 Modify the hue and/or the saturation and/or brightness of the input video.
11035 The command accepts the same syntax of the corresponding option.
11036
11037 If the specified expression is not valid, it is kept at its current
11038 value.
11039 @end table
11040
11041 @section hysteresis
11042
11043 Grow first stream into second stream by connecting components.
11044 This makes it possible to build more robust edge masks.
11045
11046 This filter accepts the following options:
11047
11048 @table @option
11049 @item planes
11050 Set which planes will be processed as bitmap, unprocessed planes will be
11051 copied from first stream.
11052 By default value 0xf, all planes will be processed.
11053
11054 @item threshold
11055 Set threshold which is used in filtering. If pixel component value is higher than
11056 this value filter algorithm for connecting components is activated.
11057 By default value is 0.
11058 @end table
11059
11060 @section idet
11061
11062 Detect video interlacing type.
11063
11064 This filter tries to detect if the input frames are interlaced, progressive,
11065 top or bottom field first. It will also try to detect fields that are
11066 repeated between adjacent frames (a sign of telecine).
11067
11068 Single frame detection considers only immediately adjacent frames when classifying each frame.
11069 Multiple frame detection incorporates the classification history of previous frames.
11070
11071 The filter will log these metadata values:
11072
11073 @table @option
11074 @item single.current_frame
11075 Detected type of current frame using single-frame detection. One of:
11076 ``tff'' (top field first), ``bff'' (bottom field first),
11077 ``progressive'', or ``undetermined''
11078
11079 @item single.tff
11080 Cumulative number of frames detected as top field first using single-frame detection.
11081
11082 @item multiple.tff
11083 Cumulative number of frames detected as top field first using multiple-frame detection.
11084
11085 @item single.bff
11086 Cumulative number of frames detected as bottom field first using single-frame detection.
11087
11088 @item multiple.current_frame
11089 Detected type of current frame using multiple-frame detection. One of:
11090 ``tff'' (top field first), ``bff'' (bottom field first),
11091 ``progressive'', or ``undetermined''
11092
11093 @item multiple.bff
11094 Cumulative number of frames detected as bottom field first using multiple-frame detection.
11095
11096 @item single.progressive
11097 Cumulative number of frames detected as progressive using single-frame detection.
11098
11099 @item multiple.progressive
11100 Cumulative number of frames detected as progressive using multiple-frame detection.
11101
11102 @item single.undetermined
11103 Cumulative number of frames that could not be classified using single-frame detection.
11104
11105 @item multiple.undetermined
11106 Cumulative number of frames that could not be classified using multiple-frame detection.
11107
11108 @item repeated.current_frame
11109 Which field in the current frame is repeated from the last. One of ``neither'', ``top'', or ``bottom''.
11110
11111 @item repeated.neither
11112 Cumulative number of frames with no repeated field.
11113
11114 @item repeated.top
11115 Cumulative number of frames with the top field repeated from the previous frame's top field.
11116
11117 @item repeated.bottom
11118 Cumulative number of frames with the bottom field repeated from the previous frame's bottom field.
11119 @end table
11120
11121 The filter accepts the following options:
11122
11123 @table @option
11124 @item intl_thres
11125 Set interlacing threshold.
11126 @item prog_thres
11127 Set progressive threshold.
11128 @item rep_thres
11129 Threshold for repeated field detection.
11130 @item half_life
11131 Number of frames after which a given frame's contribution to the
11132 statistics is halved (i.e., it contributes only 0.5 to its
11133 classification). The default of 0 means that all frames seen are given
11134 full weight of 1.0 forever.
11135 @item analyze_interlaced_flag
11136 When this is not 0 then idet will use the specified number of frames to determine
11137 if the interlaced flag is accurate, it will not count undetermined frames.
11138 If the flag is found to be accurate it will be used without any further
11139 computations, if it is found to be inaccurate it will be cleared without any
11140 further computations. This allows inserting the idet filter as a low computational
11141 method to clean up the interlaced flag
11142 @end table
11143
11144 @section il
11145
11146 Deinterleave or interleave fields.
11147
11148 This filter allows one to process interlaced images fields without
11149 deinterlacing them. Deinterleaving splits the input frame into 2
11150 fields (so called half pictures). Odd lines are moved to the top
11151 half of the output image, even lines to the bottom half.
11152 You can process (filter) them independently and then re-interleave them.
11153
11154 The filter accepts the following options:
11155
11156 @table @option
11157 @item luma_mode, l
11158 @item chroma_mode, c
11159 @item alpha_mode, a
11160 Available values for @var{luma_mode}, @var{chroma_mode} and
11161 @var{alpha_mode} are:
11162
11163 @table @samp
11164 @item none
11165 Do nothing.
11166
11167 @item deinterleave, d
11168 Deinterleave fields, placing one above the other.
11169
11170 @item interleave, i
11171 Interleave fields. Reverse the effect of deinterleaving.
11172 @end table
11173 Default value is @code{none}.
11174
11175 @item luma_swap, ls
11176 @item chroma_swap, cs
11177 @item alpha_swap, as
11178 Swap luma/chroma/alpha fields. Exchange even & odd lines. Default value is @code{0}.
11179 @end table
11180
11181 @section inflate
11182
11183 Apply inflate effect to the video.
11184
11185 This filter replaces the pixel by the local(3x3) average by taking into account
11186 only values higher than the pixel.
11187
11188 It accepts the following options:
11189
11190 @table @option
11191 @item threshold0
11192 @item threshold1
11193 @item threshold2
11194 @item threshold3
11195 Limit the maximum change for each plane, default is 65535.
11196 If 0, plane will remain unchanged.
11197 @end table
11198
11199 @section interlace
11200
11201 Simple interlacing filter from progressive contents. This interleaves upper (or
11202 lower) lines from odd frames with lower (or upper) lines from even frames,
11203 halving the frame rate and preserving image height.
11204
11205 @example
11206    Original        Original             New Frame
11207    Frame 'j'      Frame 'j+1'             (tff)
11208   ==========      ===========       ==================
11209     Line 0  -------------------->    Frame 'j' Line 0
11210     Line 1          Line 1  ---->   Frame 'j+1' Line 1
11211     Line 2 --------------------->    Frame 'j' Line 2
11212     Line 3          Line 3  ---->   Frame 'j+1' Line 3
11213      ...             ...                   ...
11214 New Frame + 1 will be generated by Frame 'j+2' and Frame 'j+3' and so on
11215 @end example
11216
11217 It accepts the following optional parameters:
11218
11219 @table @option
11220 @item scan
11221 This determines whether the interlaced frame is taken from the even
11222 (tff - default) or odd (bff) lines of the progressive frame.
11223
11224 @item lowpass
11225 Vertical lowpass filter to avoid twitter interlacing and
11226 reduce moire patterns.
11227
11228 @table @samp
11229 @item 0, off
11230 Disable vertical lowpass filter
11231
11232 @item 1, linear
11233 Enable linear filter (default)
11234
11235 @item 2, complex
11236 Enable complex filter. This will slightly less reduce twitter and moire
11237 but better retain detail and subjective sharpness impression.
11238
11239 @end table
11240 @end table
11241
11242 @section kerndeint
11243
11244 Deinterlace input video by applying Donald Graft's adaptive kernel
11245 deinterling. Work on interlaced parts of a video to produce
11246 progressive frames.
11247
11248 The description of the accepted parameters follows.
11249
11250 @table @option
11251 @item thresh
11252 Set the threshold which affects the filter's tolerance when
11253 determining if a pixel line must be processed. It must be an integer
11254 in the range [0,255] and defaults to 10. A value of 0 will result in
11255 applying the process on every pixels.
11256
11257 @item map
11258 Paint pixels exceeding the threshold value to white if set to 1.
11259 Default is 0.
11260
11261 @item order
11262 Set the fields order. Swap fields if set to 1, leave fields alone if
11263 0. Default is 0.
11264
11265 @item sharp
11266 Enable additional sharpening if set to 1. Default is 0.
11267
11268 @item twoway
11269 Enable twoway sharpening if set to 1. Default is 0.
11270 @end table
11271
11272 @subsection Examples
11273
11274 @itemize
11275 @item
11276 Apply default values:
11277 @example
11278 kerndeint=thresh=10:map=0:order=0:sharp=0:twoway=0
11279 @end example
11280
11281 @item
11282 Enable additional sharpening:
11283 @example
11284 kerndeint=sharp=1
11285 @end example
11286
11287 @item
11288 Paint processed pixels in white:
11289 @example
11290 kerndeint=map=1
11291 @end example
11292 @end itemize
11293
11294 @section lenscorrection
11295
11296 Correct radial lens distortion
11297
11298 This filter can be used to correct for radial distortion as can result from the use
11299 of wide angle lenses, and thereby re-rectify the image. To find the right parameters
11300 one can use tools available for example as part of opencv or simply trial-and-error.
11301 To use opencv use the calibration sample (under samples/cpp) from the opencv sources
11302 and extract the k1 and k2 coefficients from the resulting matrix.
11303
11304 Note that effectively the same filter is available in the open-source tools Krita and
11305 Digikam from the KDE project.
11306
11307 In contrast to the @ref{vignette} filter, which can also be used to compensate lens errors,
11308 this filter corrects the distortion of the image, whereas @ref{vignette} corrects the
11309 brightness distribution, so you may want to use both filters together in certain
11310 cases, though you will have to take care of ordering, i.e. whether vignetting should
11311 be applied before or after lens correction.
11312
11313 @subsection Options
11314
11315 The filter accepts the following options:
11316
11317 @table @option
11318 @item cx
11319 Relative x-coordinate of the focal point of the image, and thereby the center of the
11320 distortion. This value has a range [0,1] and is expressed as fractions of the image
11321 width. Default is 0.5.
11322 @item cy
11323 Relative y-coordinate of the focal point of the image, and thereby the center of the
11324 distortion. This value has a range [0,1] and is expressed as fractions of the image
11325 height. Default is 0.5.
11326 @item k1
11327 Coefficient of the quadratic correction term. This value has a range [-1,1]. 0 means
11328 no correction. Default is 0.
11329 @item k2
11330 Coefficient of the double quadratic correction term. This value has a range [-1,1].
11331 0 means no correction. Default is 0.
11332 @end table
11333
11334 The formula that generates the correction is:
11335
11336 @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)
11337
11338 where @var{r_0} is halve of the image diagonal and @var{r_src} and @var{r_tgt} are the
11339 distances from the focal point in the source and target images, respectively.
11340
11341 @section lensfun
11342
11343 Apply lens correction via the lensfun library (@url{http://lensfun.sourceforge.net/}).
11344
11345 The @code{lensfun} filter requires the camera make, camera model, and lens model
11346 to apply the lens correction. The filter will load the lensfun database and
11347 query it to find the corresponding camera and lens entries in the database. As
11348 long as these entries can be found with the given options, the filter can
11349 perform corrections on frames. Note that incomplete strings will result in the
11350 filter choosing the best match with the given options, and the filter will
11351 output the chosen camera and lens models (logged with level "info"). You must
11352 provide the make, camera model, and lens model as they are required.
11353
11354 The filter accepts the following options:
11355
11356 @table @option
11357 @item make
11358 The make of the camera (for example, "Canon"). This option is required.
11359
11360 @item model
11361 The model of the camera (for example, "Canon EOS 100D"). This option is
11362 required.
11363
11364 @item lens_model
11365 The model of the lens (for example, "Canon EF-S 18-55mm f/3.5-5.6 IS STM"). This
11366 option is required.
11367
11368 @item mode
11369 The type of correction to apply. The following values are valid options:
11370
11371 @table @samp
11372 @item vignetting
11373 Enables fixing lens vignetting.
11374
11375 @item geometry
11376 Enables fixing lens geometry. This is the default.
11377
11378 @item subpixel
11379 Enables fixing chromatic aberrations.
11380
11381 @item vig_geo
11382 Enables fixing lens vignetting and lens geometry.
11383
11384 @item vig_subpixel
11385 Enables fixing lens vignetting and chromatic aberrations.
11386
11387 @item distortion
11388 Enables fixing both lens geometry and chromatic aberrations.
11389
11390 @item all
11391 Enables all possible corrections.
11392
11393 @end table
11394 @item focal_length
11395 The focal length of the image/video (zoom; expected constant for video). For
11396 example, a 18--55mm lens has focal length range of [18--55], so a value in that
11397 range should be chosen when using that lens. Default 18.
11398
11399 @item aperture
11400 The aperture of the image/video (expected constant for video). Note that
11401 aperture is only used for vignetting correction. Default 3.5.
11402
11403 @item focus_distance
11404 The focus distance of the image/video (expected constant for video). Note that
11405 focus distance is only used for vignetting and only slightly affects the
11406 vignetting correction process. If unknown, leave it at the default value (which
11407 is 1000).
11408
11409 @item target_geometry
11410 The target geometry of the output image/video. The following values are valid
11411 options:
11412
11413 @table @samp
11414 @item rectilinear (default)
11415 @item fisheye
11416 @item panoramic
11417 @item equirectangular
11418 @item fisheye_orthographic
11419 @item fisheye_stereographic
11420 @item fisheye_equisolid
11421 @item fisheye_thoby
11422 @end table
11423 @item reverse
11424 Apply the reverse of image correction (instead of correcting distortion, apply
11425 it).
11426
11427 @item interpolation
11428 The type of interpolation used when correcting distortion. The following values
11429 are valid options:
11430
11431 @table @samp
11432 @item nearest
11433 @item linear (default)
11434 @item lanczos
11435 @end table
11436 @end table
11437
11438 @subsection Examples
11439
11440 @itemize
11441 @item
11442 Apply lens correction with make "Canon", camera model "Canon EOS 100D", and lens
11443 model "Canon EF-S 18-55mm f/3.5-5.6 IS STM" with focal length of "18" and
11444 aperture of "8.0".
11445
11446 @example
11447 ffmpeg -i input.mov -vf lensfun=make=Canon:model="Canon EOS 100D":lens_model="Canon EF-S 18-55mm f/3.5-5.6 IS STM":focal_length=18:aperture=8 -c:v h264 -b:v 8000k output.mov
11448 @end example
11449
11450 @item
11451 Apply the same as before, but only for the first 5 seconds of video.
11452
11453 @example
11454 ffmpeg -i input.mov -vf lensfun=make=Canon:model="Canon EOS 100D":lens_model="Canon EF-S 18-55mm f/3.5-5.6 IS STM":focal_length=18:aperture=8:enable='lte(t\,5)' -c:v h264 -b:v 8000k output.mov
11455 @end example
11456
11457 @end itemize
11458
11459 @section libvmaf
11460
11461 Obtain the VMAF (Video Multi-Method Assessment Fusion)
11462 score between two input videos.
11463
11464 The obtained VMAF score is printed through the logging system.
11465
11466 It requires Netflix's vmaf library (libvmaf) as a pre-requisite.
11467 After installing the library it can be enabled using:
11468 @code{./configure --enable-libvmaf --enable-version3}.
11469 If no model path is specified it uses the default model: @code{vmaf_v0.6.1.pkl}.
11470
11471 The filter has following options:
11472
11473 @table @option
11474 @item model_path
11475 Set the model path which is to be used for SVM.
11476 Default value: @code{"vmaf_v0.6.1.pkl"}
11477
11478 @item log_path
11479 Set the file path to be used to store logs.
11480
11481 @item log_fmt
11482 Set the format of the log file (xml or json).
11483
11484 @item enable_transform
11485 This option can enable/disable the @code{score_transform} applied to the final predicted VMAF score,
11486 if you have specified score_transform option in the input parameter file passed to @code{run_vmaf_training.py}
11487 Default value: @code{false}
11488
11489 @item phone_model
11490 Invokes the phone model which will generate VMAF scores higher than in the
11491 regular model, which is more suitable for laptop, TV, etc. viewing conditions.
11492
11493 @item psnr
11494 Enables computing psnr along with vmaf.
11495
11496 @item ssim
11497 Enables computing ssim along with vmaf.
11498
11499 @item ms_ssim
11500 Enables computing ms_ssim along with vmaf.
11501
11502 @item pool
11503 Set the pool method (mean, min or harmonic mean) to be used for computing vmaf.
11504
11505 @item n_threads
11506 Set number of threads to be used when computing vmaf.
11507
11508 @item n_subsample
11509 Set interval for frame subsampling used when computing vmaf.
11510
11511 @item enable_conf_interval
11512 Enables confidence interval.
11513 @end table
11514
11515 This filter also supports the @ref{framesync} options.
11516
11517 On the below examples the input file @file{main.mpg} being processed is
11518 compared with the reference file @file{ref.mpg}.
11519
11520 @example
11521 ffmpeg -i main.mpg -i ref.mpg -lavfi libvmaf -f null -
11522 @end example
11523
11524 Example with options:
11525 @example
11526 ffmpeg -i main.mpg -i ref.mpg -lavfi libvmaf="psnr=1:log_fmt=json" -f null -
11527 @end example
11528
11529 @section limiter
11530
11531 Limits the pixel components values to the specified range [min, max].
11532
11533 The filter accepts the following options:
11534
11535 @table @option
11536 @item min
11537 Lower bound. Defaults to the lowest allowed value for the input.
11538
11539 @item max
11540 Upper bound. Defaults to the highest allowed value for the input.
11541
11542 @item planes
11543 Specify which planes will be processed. Defaults to all available.
11544 @end table
11545
11546 @section loop
11547
11548 Loop video frames.
11549
11550 The filter accepts the following options:
11551
11552 @table @option
11553 @item loop
11554 Set the number of loops. Setting this value to -1 will result in infinite loops.
11555 Default is 0.
11556
11557 @item size
11558 Set maximal size in number of frames. Default is 0.
11559
11560 @item start
11561 Set first frame of loop. Default is 0.
11562 @end table
11563
11564 @subsection Examples
11565
11566 @itemize
11567 @item
11568 Loop single first frame infinitely:
11569 @example
11570 loop=loop=-1:size=1:start=0
11571 @end example
11572
11573 @item
11574 Loop single first frame 10 times:
11575 @example
11576 loop=loop=10:size=1:start=0
11577 @end example
11578
11579 @item
11580 Loop 10 first frames 5 times:
11581 @example
11582 loop=loop=5:size=10:start=0
11583 @end example
11584 @end itemize
11585
11586 @section lut1d
11587
11588 Apply a 1D LUT to an input video.
11589
11590 The filter accepts the following options:
11591
11592 @table @option
11593 @item file
11594 Set the 1D LUT file name.
11595
11596 Currently supported formats:
11597 @table @samp
11598 @item cube
11599 Iridas
11600 @end table
11601
11602 @item interp
11603 Select interpolation mode.
11604
11605 Available values are:
11606
11607 @table @samp
11608 @item nearest
11609 Use values from the nearest defined point.
11610 @item linear
11611 Interpolate values using the linear interpolation.
11612 @item cosine
11613 Interpolate values using the cosine interpolation.
11614 @item cubic
11615 Interpolate values using the cubic interpolation.
11616 @item spline
11617 Interpolate values using the spline interpolation.
11618 @end table
11619 @end table
11620
11621 @anchor{lut3d}
11622 @section lut3d
11623
11624 Apply a 3D LUT to an input video.
11625
11626 The filter accepts the following options:
11627
11628 @table @option
11629 @item file
11630 Set the 3D LUT file name.
11631
11632 Currently supported formats:
11633 @table @samp
11634 @item 3dl
11635 AfterEffects
11636 @item cube
11637 Iridas
11638 @item dat
11639 DaVinci
11640 @item m3d
11641 Pandora
11642 @end table
11643 @item interp
11644 Select interpolation mode.
11645
11646 Available values are:
11647
11648 @table @samp
11649 @item nearest
11650 Use values from the nearest defined point.
11651 @item trilinear
11652 Interpolate values using the 8 points defining a cube.
11653 @item tetrahedral
11654 Interpolate values using a tetrahedron.
11655 @end table
11656 @end table
11657
11658 This filter also supports the @ref{framesync} options.
11659
11660 @section lumakey
11661
11662 Turn certain luma values into transparency.
11663
11664 The filter accepts the following options:
11665
11666 @table @option
11667 @item threshold
11668 Set the luma which will be used as base for transparency.
11669 Default value is @code{0}.
11670
11671 @item tolerance
11672 Set the range of luma values to be keyed out.
11673 Default value is @code{0}.
11674
11675 @item softness
11676 Set the range of softness. Default value is @code{0}.
11677 Use this to control gradual transition from zero to full transparency.
11678 @end table
11679
11680 @section lut, lutrgb, lutyuv
11681
11682 Compute a look-up table for binding each pixel component input value
11683 to an output value, and apply it to the input video.
11684
11685 @var{lutyuv} applies a lookup table to a YUV input video, @var{lutrgb}
11686 to an RGB input video.
11687
11688 These filters accept the following parameters:
11689 @table @option
11690 @item c0
11691 set first pixel component expression
11692 @item c1
11693 set second pixel component expression
11694 @item c2
11695 set third pixel component expression
11696 @item c3
11697 set fourth pixel component expression, corresponds to the alpha component
11698
11699 @item r
11700 set red component expression
11701 @item g
11702 set green component expression
11703 @item b
11704 set blue component expression
11705 @item a
11706 alpha component expression
11707
11708 @item y
11709 set Y/luminance component expression
11710 @item u
11711 set U/Cb component expression
11712 @item v
11713 set V/Cr component expression
11714 @end table
11715
11716 Each of them specifies the expression to use for computing the lookup table for
11717 the corresponding pixel component values.
11718
11719 The exact component associated to each of the @var{c*} options depends on the
11720 format in input.
11721
11722 The @var{lut} filter requires either YUV or RGB pixel formats in input,
11723 @var{lutrgb} requires RGB pixel formats in input, and @var{lutyuv} requires YUV.
11724
11725 The expressions can contain the following constants and functions:
11726
11727 @table @option
11728 @item w
11729 @item h
11730 The input width and height.
11731
11732 @item val
11733 The input value for the pixel component.
11734
11735 @item clipval
11736 The input value, clipped to the @var{minval}-@var{maxval} range.
11737
11738 @item maxval
11739 The maximum value for the pixel component.
11740
11741 @item minval
11742 The minimum value for the pixel component.
11743
11744 @item negval
11745 The negated value for the pixel component value, clipped to the
11746 @var{minval}-@var{maxval} range; it corresponds to the expression
11747 "maxval-clipval+minval".
11748
11749 @item clip(val)
11750 The computed value in @var{val}, clipped to the
11751 @var{minval}-@var{maxval} range.
11752
11753 @item gammaval(gamma)
11754 The computed gamma correction value of the pixel component value,
11755 clipped to the @var{minval}-@var{maxval} range. It corresponds to the
11756 expression
11757 "pow((clipval-minval)/(maxval-minval)\,@var{gamma})*(maxval-minval)+minval"
11758
11759 @end table
11760
11761 All expressions default to "val".
11762
11763 @subsection Examples
11764
11765 @itemize
11766 @item
11767 Negate input video:
11768 @example
11769 lutrgb="r=maxval+minval-val:g=maxval+minval-val:b=maxval+minval-val"
11770 lutyuv="y=maxval+minval-val:u=maxval+minval-val:v=maxval+minval-val"
11771 @end example
11772
11773 The above is the same as:
11774 @example
11775 lutrgb="r=negval:g=negval:b=negval"
11776 lutyuv="y=negval:u=negval:v=negval"
11777 @end example
11778
11779 @item
11780 Negate luminance:
11781 @example
11782 lutyuv=y=negval
11783 @end example
11784
11785 @item
11786 Remove chroma components, turning the video into a graytone image:
11787 @example
11788 lutyuv="u=128:v=128"
11789 @end example
11790
11791 @item
11792 Apply a luma burning effect:
11793 @example
11794 lutyuv="y=2*val"
11795 @end example
11796
11797 @item
11798 Remove green and blue components:
11799 @example
11800 lutrgb="g=0:b=0"
11801 @end example
11802
11803 @item
11804 Set a constant alpha channel value on input:
11805 @example
11806 format=rgba,lutrgb=a="maxval-minval/2"
11807 @end example
11808
11809 @item
11810 Correct luminance gamma by a factor of 0.5:
11811 @example
11812 lutyuv=y=gammaval(0.5)
11813 @end example
11814
11815 @item
11816 Discard least significant bits of luma:
11817 @example
11818 lutyuv=y='bitand(val, 128+64+32)'
11819 @end example
11820
11821 @item
11822 Technicolor like effect:
11823 @example
11824 lutyuv=u='(val-maxval/2)*2+maxval/2':v='(val-maxval/2)*2+maxval/2'
11825 @end example
11826 @end itemize
11827
11828 @section lut2, tlut2
11829
11830 The @code{lut2} filter takes two input streams and outputs one
11831 stream.
11832
11833 The @code{tlut2} (time lut2) filter takes two consecutive frames
11834 from one single stream.
11835
11836 This filter accepts the following parameters:
11837 @table @option
11838 @item c0
11839 set first pixel component expression
11840 @item c1
11841 set second pixel component expression
11842 @item c2
11843 set third pixel component expression
11844 @item c3
11845 set fourth pixel component expression, corresponds to the alpha component
11846
11847 @item d
11848 set output bit depth, only available for @code{lut2} filter. By default is 0,
11849 which means bit depth is automatically picked from first input format.
11850 @end table
11851
11852 Each of them specifies the expression to use for computing the lookup table for
11853 the corresponding pixel component values.
11854
11855 The exact component associated to each of the @var{c*} options depends on the
11856 format in inputs.
11857
11858 The expressions can contain the following constants:
11859
11860 @table @option
11861 @item w
11862 @item h
11863 The input width and height.
11864
11865 @item x
11866 The first input value for the pixel component.
11867
11868 @item y
11869 The second input value for the pixel component.
11870
11871 @item bdx
11872 The first input video bit depth.
11873
11874 @item bdy
11875 The second input video bit depth.
11876 @end table
11877
11878 All expressions default to "x".
11879
11880 @subsection Examples
11881
11882 @itemize
11883 @item
11884 Highlight differences between two RGB video streams:
11885 @example
11886 lut2='ifnot(x-y,0,pow(2,bdx)-1):ifnot(x-y,0,pow(2,bdx)-1):ifnot(x-y,0,pow(2,bdx)-1)'
11887 @end example
11888
11889 @item
11890 Highlight differences between two YUV video streams:
11891 @example
11892 lut2='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)'
11893 @end example
11894
11895 @item
11896 Show max difference between two video streams:
11897 @example
11898 lut2='if(lt(x,y),0,if(gt(x,y),pow(2,bdx)-1,pow(2,bdx-1))):if(lt(x,y),0,if(gt(x,y),pow(2,bdx)-1,pow(2,bdx-1))):if(lt(x,y),0,if(gt(x,y),pow(2,bdx)-1,pow(2,bdx-1)))'
11899 @end example
11900 @end itemize
11901
11902 @section maskedclamp
11903
11904 Clamp the first input stream with the second input and third input stream.
11905
11906 Returns the value of first stream to be between second input
11907 stream - @code{undershoot} and third input stream + @code{overshoot}.
11908
11909 This filter accepts the following options:
11910 @table @option
11911 @item undershoot
11912 Default value is @code{0}.
11913
11914 @item overshoot
11915 Default value is @code{0}.
11916
11917 @item planes
11918 Set which planes will be processed as bitmap, unprocessed planes will be
11919 copied from first stream.
11920 By default value 0xf, all planes will be processed.
11921 @end table
11922
11923 @section maskedmerge
11924
11925 Merge the first input stream with the second input stream using per pixel
11926 weights in the third input stream.
11927
11928 A value of 0 in the third stream pixel component means that pixel component
11929 from first stream is returned unchanged, while maximum value (eg. 255 for
11930 8-bit videos) means that pixel component from second stream is returned
11931 unchanged. Intermediate values define the amount of merging between both
11932 input stream's pixel components.
11933
11934 This filter accepts the following options:
11935 @table @option
11936 @item planes
11937 Set which planes will be processed as bitmap, unprocessed planes will be
11938 copied from first stream.
11939 By default value 0xf, all planes will be processed.
11940 @end table
11941
11942 @section maskfun
11943 Create mask from input video.
11944
11945 For example it is useful to create motion masks after @code{tblend} filter.
11946
11947 This filter accepts the following options:
11948
11949 @table @option
11950 @item low
11951 Set low threshold. Any pixel component lower or exact than this value will be set to 0.
11952
11953 @item high
11954 Set high threshold. Any pixel component higher than this value will be set to max value
11955 allowed for current pixel format.
11956
11957 @item planes
11958 Set planes to filter, by default all available planes are filtered.
11959
11960 @item fill
11961 Fill all frame pixels with this value.
11962
11963 @item sum
11964 Set max average pixel value for frame. If sum of all pixel components is higher that this
11965 average, output frame will be completely filled with value set by @var{fill} option.
11966 Typically useful for scene changes when used in combination with @code{tblend} filter.
11967 @end table
11968
11969 @section mcdeint
11970
11971 Apply motion-compensation deinterlacing.
11972
11973 It needs one field per frame as input and must thus be used together
11974 with yadif=1/3 or equivalent.
11975
11976 This filter accepts the following options:
11977 @table @option
11978 @item mode
11979 Set the deinterlacing mode.
11980
11981 It accepts one of the following values:
11982 @table @samp
11983 @item fast
11984 @item medium
11985 @item slow
11986 use iterative motion estimation
11987 @item extra_slow
11988 like @samp{slow}, but use multiple reference frames.
11989 @end table
11990 Default value is @samp{fast}.
11991
11992 @item parity
11993 Set the picture field parity assumed for the input video. It must be
11994 one of the following values:
11995
11996 @table @samp
11997 @item 0, tff
11998 assume top field first
11999 @item 1, bff
12000 assume bottom field first
12001 @end table
12002
12003 Default value is @samp{bff}.
12004
12005 @item qp
12006 Set per-block quantization parameter (QP) used by the internal
12007 encoder.
12008
12009 Higher values should result in a smoother motion vector field but less
12010 optimal individual vectors. Default value is 1.
12011 @end table
12012
12013 @section mergeplanes
12014
12015 Merge color channel components from several video streams.
12016
12017 The filter accepts up to 4 input streams, and merge selected input
12018 planes to the output video.
12019
12020 This filter accepts the following options:
12021 @table @option
12022 @item mapping
12023 Set input to output plane mapping. Default is @code{0}.
12024
12025 The mappings is specified as a bitmap. It should be specified as a
12026 hexadecimal number in the form 0xAa[Bb[Cc[Dd]]]. 'Aa' describes the
12027 mapping for the first plane of the output stream. 'A' sets the number of
12028 the input stream to use (from 0 to 3), and 'a' the plane number of the
12029 corresponding input to use (from 0 to 3). The rest of the mappings is
12030 similar, 'Bb' describes the mapping for the output stream second
12031 plane, 'Cc' describes the mapping for the output stream third plane and
12032 'Dd' describes the mapping for the output stream fourth plane.
12033
12034 @item format
12035 Set output pixel format. Default is @code{yuva444p}.
12036 @end table
12037
12038 @subsection Examples
12039
12040 @itemize
12041 @item
12042 Merge three gray video streams of same width and height into single video stream:
12043 @example
12044 [a0][a1][a2]mergeplanes=0x001020:yuv444p
12045 @end example
12046
12047 @item
12048 Merge 1st yuv444p stream and 2nd gray video stream into yuva444p video stream:
12049 @example
12050 [a0][a1]mergeplanes=0x00010210:yuva444p
12051 @end example
12052
12053 @item
12054 Swap Y and A plane in yuva444p stream:
12055 @example
12056 format=yuva444p,mergeplanes=0x03010200:yuva444p
12057 @end example
12058
12059 @item
12060 Swap U and V plane in yuv420p stream:
12061 @example
12062 format=yuv420p,mergeplanes=0x000201:yuv420p
12063 @end example
12064
12065 @item
12066 Cast a rgb24 clip to yuv444p:
12067 @example
12068 format=rgb24,mergeplanes=0x000102:yuv444p
12069 @end example
12070 @end itemize
12071
12072 @section mestimate
12073
12074 Estimate and export motion vectors using block matching algorithms.
12075 Motion vectors are stored in frame side data to be used by other filters.
12076
12077 This filter accepts the following options:
12078 @table @option
12079 @item method
12080 Specify the motion estimation method. Accepts one of the following values:
12081
12082 @table @samp
12083 @item esa
12084 Exhaustive search algorithm.
12085 @item tss
12086 Three step search algorithm.
12087 @item tdls
12088 Two dimensional logarithmic search algorithm.
12089 @item ntss
12090 New three step search algorithm.
12091 @item fss
12092 Four step search algorithm.
12093 @item ds
12094 Diamond search algorithm.
12095 @item hexbs
12096 Hexagon-based search algorithm.
12097 @item epzs
12098 Enhanced predictive zonal search algorithm.
12099 @item umh
12100 Uneven multi-hexagon search algorithm.
12101 @end table
12102 Default value is @samp{esa}.
12103
12104 @item mb_size
12105 Macroblock size. Default @code{16}.
12106
12107 @item search_param
12108 Search parameter. Default @code{7}.
12109 @end table
12110
12111 @section midequalizer
12112
12113 Apply Midway Image Equalization effect using two video streams.
12114
12115 Midway Image Equalization adjusts a pair of images to have the same
12116 histogram, while maintaining their dynamics as much as possible. It's
12117 useful for e.g. matching exposures from a pair of stereo cameras.
12118
12119 This filter has two inputs and one output, which must be of same pixel format, but
12120 may be of different sizes. The output of filter is first input adjusted with
12121 midway histogram of both inputs.
12122
12123 This filter accepts the following option:
12124
12125 @table @option
12126 @item planes
12127 Set which planes to process. Default is @code{15}, which is all available planes.
12128 @end table
12129
12130 @section minterpolate
12131
12132 Convert the video to specified frame rate using motion interpolation.
12133
12134 This filter accepts the following options:
12135 @table @option
12136 @item fps
12137 Specify 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}.
12138
12139 @item mi_mode
12140 Motion interpolation mode. Following values are accepted:
12141 @table @samp
12142 @item dup
12143 Duplicate previous or next frame for interpolating new ones.
12144 @item blend
12145 Blend source frames. Interpolated frame is mean of previous and next frames.
12146 @item mci
12147 Motion compensated interpolation. Following options are effective when this mode is selected:
12148
12149 @table @samp
12150 @item mc_mode
12151 Motion compensation mode. Following values are accepted:
12152 @table @samp
12153 @item obmc
12154 Overlapped block motion compensation.
12155 @item aobmc
12156 Adaptive overlapped block motion compensation. Window weighting coefficients are controlled adaptively according to the reliabilities of the neighboring motion vectors to reduce oversmoothing.
12157 @end table
12158 Default mode is @samp{obmc}.
12159
12160 @item me_mode
12161 Motion estimation mode. Following values are accepted:
12162 @table @samp
12163 @item bidir
12164 Bidirectional motion estimation. Motion vectors are estimated for each source frame in both forward and backward directions.
12165 @item bilat
12166 Bilateral motion estimation. Motion vectors are estimated directly for interpolated frame.
12167 @end table
12168 Default mode is @samp{bilat}.
12169
12170 @item me
12171 The algorithm to be used for motion estimation. Following values are accepted:
12172 @table @samp
12173 @item esa
12174 Exhaustive search algorithm.
12175 @item tss
12176 Three step search algorithm.
12177 @item tdls
12178 Two dimensional logarithmic search algorithm.
12179 @item ntss
12180 New three step search algorithm.
12181 @item fss
12182 Four step search algorithm.
12183 @item ds
12184 Diamond search algorithm.
12185 @item hexbs
12186 Hexagon-based search algorithm.
12187 @item epzs
12188 Enhanced predictive zonal search algorithm.
12189 @item umh
12190 Uneven multi-hexagon search algorithm.
12191 @end table
12192 Default algorithm is @samp{epzs}.
12193
12194 @item mb_size
12195 Macroblock size. Default @code{16}.
12196
12197 @item search_param
12198 Motion estimation search parameter. Default @code{32}.
12199
12200 @item vsbmc
12201 Enable 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).
12202 @end table
12203 @end table
12204
12205 @item scd
12206 Scene 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:
12207 @table @samp
12208 @item none
12209 Disable scene change detection.
12210 @item fdiff
12211 Frame difference. Corresponding pixel values are compared and if it satisfies @var{scd_threshold} scene change is detected.
12212 @end table
12213 Default method is @samp{fdiff}.
12214
12215 @item scd_threshold
12216 Scene change detection threshold. Default is @code{5.0}.
12217 @end table
12218
12219 @section mix
12220
12221 Mix several video input streams into one video stream.
12222
12223 A description of the accepted options follows.
12224
12225 @table @option
12226 @item nb_inputs
12227 The number of inputs. If unspecified, it defaults to 2.
12228
12229 @item weights
12230 Specify weight of each input video stream as sequence.
12231 Each weight is separated by space. If number of weights
12232 is smaller than number of @var{frames} last specified
12233 weight will be used for all remaining unset weights.
12234
12235 @item scale
12236 Specify scale, if it is set it will be multiplied with sum
12237 of each weight multiplied with pixel values to give final destination
12238 pixel value. By default @var{scale} is auto scaled to sum of weights.
12239
12240 @item duration
12241 Specify how end of stream is determined.
12242 @table @samp
12243 @item longest
12244 The duration of the longest input. (default)
12245
12246 @item shortest
12247 The duration of the shortest input.
12248
12249 @item first
12250 The duration of the first input.
12251 @end table
12252 @end table
12253
12254 @section mpdecimate
12255
12256 Drop frames that do not differ greatly from the previous frame in
12257 order to reduce frame rate.
12258
12259 The main use of this filter is for very-low-bitrate encoding
12260 (e.g. streaming over dialup modem), but it could in theory be used for
12261 fixing movies that were inverse-telecined incorrectly.
12262
12263 A description of the accepted options follows.
12264
12265 @table @option
12266 @item max
12267 Set the maximum number of consecutive frames which can be dropped (if
12268 positive), or the minimum interval between dropped frames (if
12269 negative). If the value is 0, the frame is dropped disregarding the
12270 number of previous sequentially dropped frames.
12271
12272 Default value is 0.
12273
12274 @item hi
12275 @item lo
12276 @item frac
12277 Set the dropping threshold values.
12278
12279 Values for @option{hi} and @option{lo} are for 8x8 pixel blocks and
12280 represent actual pixel value differences, so a threshold of 64
12281 corresponds to 1 unit of difference for each pixel, or the same spread
12282 out differently over the block.
12283
12284 A frame is a candidate for dropping if no 8x8 blocks differ by more
12285 than a threshold of @option{hi}, and if no more than @option{frac} blocks (1
12286 meaning the whole image) differ by more than a threshold of @option{lo}.
12287
12288 Default value for @option{hi} is 64*12, default value for @option{lo} is
12289 64*5, and default value for @option{frac} is 0.33.
12290 @end table
12291
12292
12293 @section negate
12294
12295 Negate (invert) the input video.
12296
12297 It accepts the following option:
12298
12299 @table @option
12300
12301 @item negate_alpha
12302 With value 1, it negates the alpha component, if present. Default value is 0.
12303 @end table
12304
12305 @anchor{nlmeans}
12306 @section nlmeans
12307
12308 Denoise frames using Non-Local Means algorithm.
12309
12310 Each pixel is adjusted by looking for other pixels with similar contexts. This
12311 context similarity is defined by comparing their surrounding patches of size
12312 @option{p}x@option{p}. Patches are searched in an area of @option{r}x@option{r}
12313 around the pixel.
12314
12315 Note that the research area defines centers for patches, which means some
12316 patches will be made of pixels outside that research area.
12317
12318 The filter accepts the following options.
12319
12320 @table @option
12321 @item s
12322 Set denoising strength. Default is 1.0. Must be in range [1.0, 30.0].
12323
12324 @item p
12325 Set patch size. Default is 7. Must be odd number in range [0, 99].
12326
12327 @item pc
12328 Same as @option{p} but for chroma planes.
12329
12330 The default value is @var{0} and means automatic.
12331
12332 @item r
12333 Set research size. Default is 15. Must be odd number in range [0, 99].
12334
12335 @item rc
12336 Same as @option{r} but for chroma planes.
12337
12338 The default value is @var{0} and means automatic.
12339 @end table
12340
12341 @section nnedi
12342
12343 Deinterlace video using neural network edge directed interpolation.
12344
12345 This filter accepts the following options:
12346
12347 @table @option
12348 @item weights
12349 Mandatory option, without binary file filter can not work.
12350 Currently file can be found here:
12351 https://github.com/dubhater/vapoursynth-nnedi3/blob/master/src/nnedi3_weights.bin
12352
12353 @item deint
12354 Set which frames to deinterlace, by default it is @code{all}.
12355 Can be @code{all} or @code{interlaced}.
12356
12357 @item field
12358 Set mode of operation.
12359
12360 Can be one of the following:
12361
12362 @table @samp
12363 @item af
12364 Use frame flags, both fields.
12365 @item a
12366 Use frame flags, single field.
12367 @item t
12368 Use top field only.
12369 @item b
12370 Use bottom field only.
12371 @item tf
12372 Use both fields, top first.
12373 @item bf
12374 Use both fields, bottom first.
12375 @end table
12376
12377 @item planes
12378 Set which planes to process, by default filter process all frames.
12379
12380 @item nsize
12381 Set size of local neighborhood around each pixel, used by the predictor neural
12382 network.
12383
12384 Can be one of the following:
12385
12386 @table @samp
12387 @item s8x6
12388 @item s16x6
12389 @item s32x6
12390 @item s48x6
12391 @item s8x4
12392 @item s16x4
12393 @item s32x4
12394 @end table
12395
12396 @item nns
12397 Set the number of neurons in predictor neural network.
12398 Can be one of the following:
12399
12400 @table @samp
12401 @item n16
12402 @item n32
12403 @item n64
12404 @item n128
12405 @item n256
12406 @end table
12407
12408 @item qual
12409 Controls the number of different neural network predictions that are blended
12410 together to compute the final output value. Can be @code{fast}, default or
12411 @code{slow}.
12412
12413 @item etype
12414 Set which set of weights to use in the predictor.
12415 Can be one of the following:
12416
12417 @table @samp
12418 @item a
12419 weights trained to minimize absolute error
12420 @item s
12421 weights trained to minimize squared error
12422 @end table
12423
12424 @item pscrn
12425 Controls whether or not the prescreener neural network is used to decide
12426 which pixels should be processed by the predictor neural network and which
12427 can be handled by simple cubic interpolation.
12428 The prescreener is trained to know whether cubic interpolation will be
12429 sufficient for a pixel or whether it should be predicted by the predictor nn.
12430 The computational complexity of the prescreener nn is much less than that of
12431 the predictor nn. Since most pixels can be handled by cubic interpolation,
12432 using the prescreener generally results in much faster processing.
12433 The prescreener is pretty accurate, so the difference between using it and not
12434 using it is almost always unnoticeable.
12435
12436 Can be one of the following:
12437
12438 @table @samp
12439 @item none
12440 @item original
12441 @item new
12442 @end table
12443
12444 Default is @code{new}.
12445
12446 @item fapprox
12447 Set various debugging flags.
12448 @end table
12449
12450 @section noformat
12451
12452 Force libavfilter not to use any of the specified pixel formats for the
12453 input to the next filter.
12454
12455 It accepts the following parameters:
12456 @table @option
12457
12458 @item pix_fmts
12459 A '|'-separated list of pixel format names, such as
12460 pix_fmts=yuv420p|monow|rgb24".
12461
12462 @end table
12463
12464 @subsection Examples
12465
12466 @itemize
12467 @item
12468 Force libavfilter to use a format different from @var{yuv420p} for the
12469 input to the vflip filter:
12470 @example
12471 noformat=pix_fmts=yuv420p,vflip
12472 @end example
12473
12474 @item
12475 Convert the input video to any of the formats not contained in the list:
12476 @example
12477 noformat=yuv420p|yuv444p|yuv410p
12478 @end example
12479 @end itemize
12480
12481 @section noise
12482
12483 Add noise on video input frame.
12484
12485 The filter accepts the following options:
12486
12487 @table @option
12488 @item all_seed
12489 @item c0_seed
12490 @item c1_seed
12491 @item c2_seed
12492 @item c3_seed
12493 Set noise seed for specific pixel component or all pixel components in case
12494 of @var{all_seed}. Default value is @code{123457}.
12495
12496 @item all_strength, alls
12497 @item c0_strength, c0s
12498 @item c1_strength, c1s
12499 @item c2_strength, c2s
12500 @item c3_strength, c3s
12501 Set noise strength for specific pixel component or all pixel components in case
12502 @var{all_strength}. Default value is @code{0}. Allowed range is [0, 100].
12503
12504 @item all_flags, allf
12505 @item c0_flags, c0f
12506 @item c1_flags, c1f
12507 @item c2_flags, c2f
12508 @item c3_flags, c3f
12509 Set pixel component flags or set flags for all components if @var{all_flags}.
12510 Available values for component flags are:
12511 @table @samp
12512 @item a
12513 averaged temporal noise (smoother)
12514 @item p
12515 mix random noise with a (semi)regular pattern
12516 @item t
12517 temporal noise (noise pattern changes between frames)
12518 @item u
12519 uniform noise (gaussian otherwise)
12520 @end table
12521 @end table
12522
12523 @subsection Examples
12524
12525 Add temporal and uniform noise to input video:
12526 @example
12527 noise=alls=20:allf=t+u
12528 @end example
12529
12530 @section normalize
12531
12532 Normalize RGB video (aka histogram stretching, contrast stretching).
12533 See: https://en.wikipedia.org/wiki/Normalization_(image_processing)
12534
12535 For each channel of each frame, the filter computes the input range and maps
12536 it linearly to the user-specified output range. The output range defaults
12537 to the full dynamic range from pure black to pure white.
12538
12539 Temporal smoothing can be used on the input range to reduce flickering (rapid
12540 changes in brightness) caused when small dark or bright objects enter or leave
12541 the scene. This is similar to the auto-exposure (automatic gain control) on a
12542 video camera, and, like a video camera, it may cause a period of over- or
12543 under-exposure of the video.
12544
12545 The R,G,B channels can be normalized independently, which may cause some
12546 color shifting, or linked together as a single channel, which prevents
12547 color shifting. Linked normalization preserves hue. Independent normalization
12548 does not, so it can be used to remove some color casts. Independent and linked
12549 normalization can be combined in any ratio.
12550
12551 The normalize filter accepts the following options:
12552
12553 @table @option
12554 @item blackpt
12555 @item whitept
12556 Colors which define the output range. The minimum input value is mapped to
12557 the @var{blackpt}. The maximum input value is mapped to the @var{whitept}.
12558 The defaults are black and white respectively. Specifying white for
12559 @var{blackpt} and black for @var{whitept} will give color-inverted,
12560 normalized video. Shades of grey can be used to reduce the dynamic range
12561 (contrast). Specifying saturated colors here can create some interesting
12562 effects.
12563
12564 @item smoothing
12565 The number of previous frames to use for temporal smoothing. The input range
12566 of each channel is smoothed using a rolling average over the current frame
12567 and the @var{smoothing} previous frames. The default is 0 (no temporal
12568 smoothing).
12569
12570 @item independence
12571 Controls the ratio of independent (color shifting) channel normalization to
12572 linked (color preserving) normalization. 0.0 is fully linked, 1.0 is fully
12573 independent. Defaults to 1.0 (fully independent).
12574
12575 @item strength
12576 Overall strength of the filter. 1.0 is full strength. 0.0 is a rather
12577 expensive no-op. Defaults to 1.0 (full strength).
12578
12579 @end table
12580
12581 @subsection Examples
12582
12583 Stretch video contrast to use the full dynamic range, with no temporal
12584 smoothing; may flicker depending on the source content:
12585 @example
12586 normalize=blackpt=black:whitept=white:smoothing=0
12587 @end example
12588
12589 As above, but with 50 frames of temporal smoothing; flicker should be
12590 reduced, depending on the source content:
12591 @example
12592 normalize=blackpt=black:whitept=white:smoothing=50
12593 @end example
12594
12595 As above, but with hue-preserving linked channel normalization:
12596 @example
12597 normalize=blackpt=black:whitept=white:smoothing=50:independence=0
12598 @end example
12599
12600 As above, but with half strength:
12601 @example
12602 normalize=blackpt=black:whitept=white:smoothing=50:independence=0:strength=0.5
12603 @end example
12604
12605 Map the darkest input color to red, the brightest input color to cyan:
12606 @example
12607 normalize=blackpt=red:whitept=cyan
12608 @end example
12609
12610 @section null
12611
12612 Pass the video source unchanged to the output.
12613
12614 @section ocr
12615 Optical Character Recognition
12616
12617 This filter uses Tesseract for optical character recognition. To enable
12618 compilation of this filter, you need to configure FFmpeg with
12619 @code{--enable-libtesseract}.
12620
12621 It accepts the following options:
12622
12623 @table @option
12624 @item datapath
12625 Set datapath to tesseract data. Default is to use whatever was
12626 set at installation.
12627
12628 @item language
12629 Set language, default is "eng".
12630
12631 @item whitelist
12632 Set character whitelist.
12633
12634 @item blacklist
12635 Set character blacklist.
12636 @end table
12637
12638 The filter exports recognized text as the frame metadata @code{lavfi.ocr.text}.
12639
12640 @section ocv
12641
12642 Apply a video transform using libopencv.
12643
12644 To enable this filter, install the libopencv library and headers and
12645 configure FFmpeg with @code{--enable-libopencv}.
12646
12647 It accepts the following parameters:
12648
12649 @table @option
12650
12651 @item filter_name
12652 The name of the libopencv filter to apply.
12653
12654 @item filter_params
12655 The parameters to pass to the libopencv filter. If not specified, the default
12656 values are assumed.
12657
12658 @end table
12659
12660 Refer to the official libopencv documentation for more precise
12661 information:
12662 @url{http://docs.opencv.org/master/modules/imgproc/doc/filtering.html}
12663
12664 Several libopencv filters are supported; see the following subsections.
12665
12666 @anchor{dilate}
12667 @subsection dilate
12668
12669 Dilate an image by using a specific structuring element.
12670 It corresponds to the libopencv function @code{cvDilate}.
12671
12672 It accepts the parameters: @var{struct_el}|@var{nb_iterations}.
12673
12674 @var{struct_el} represents a structuring element, and has the syntax:
12675 @var{cols}x@var{rows}+@var{anchor_x}x@var{anchor_y}/@var{shape}
12676
12677 @var{cols} and @var{rows} represent the number of columns and rows of
12678 the structuring element, @var{anchor_x} and @var{anchor_y} the anchor
12679 point, and @var{shape} the shape for the structuring element. @var{shape}
12680 must be "rect", "cross", "ellipse", or "custom".
12681
12682 If the value for @var{shape} is "custom", it must be followed by a
12683 string of the form "=@var{filename}". The file with name
12684 @var{filename} is assumed to represent a binary image, with each
12685 printable character corresponding to a bright pixel. When a custom
12686 @var{shape} is used, @var{cols} and @var{rows} are ignored, the number
12687 or columns and rows of the read file are assumed instead.
12688
12689 The default value for @var{struct_el} is "3x3+0x0/rect".
12690
12691 @var{nb_iterations} specifies the number of times the transform is
12692 applied to the image, and defaults to 1.
12693
12694 Some examples:
12695 @example
12696 # Use the default values
12697 ocv=dilate
12698
12699 # Dilate using a structuring element with a 5x5 cross, iterating two times
12700 ocv=filter_name=dilate:filter_params=5x5+2x2/cross|2
12701
12702 # Read the shape from the file diamond.shape, iterating two times.
12703 # The file diamond.shape may contain a pattern of characters like this
12704 #   *
12705 #  ***
12706 # *****
12707 #  ***
12708 #   *
12709 # The specified columns and rows are ignored
12710 # but the anchor point coordinates are not
12711 ocv=dilate:0x0+2x2/custom=diamond.shape|2
12712 @end example
12713
12714 @subsection erode
12715
12716 Erode an image by using a specific structuring element.
12717 It corresponds to the libopencv function @code{cvErode}.
12718
12719 It accepts the parameters: @var{struct_el}:@var{nb_iterations},
12720 with the same syntax and semantics as the @ref{dilate} filter.
12721
12722 @subsection smooth
12723
12724 Smooth the input video.
12725
12726 The filter takes the following parameters:
12727 @var{type}|@var{param1}|@var{param2}|@var{param3}|@var{param4}.
12728
12729 @var{type} is the type of smooth filter to apply, and must be one of
12730 the following values: "blur", "blur_no_scale", "median", "gaussian",
12731 or "bilateral". The default value is "gaussian".
12732
12733 The meaning of @var{param1}, @var{param2}, @var{param3}, and @var{param4}
12734 depend on the smooth type. @var{param1} and
12735 @var{param2} accept integer positive values or 0. @var{param3} and
12736 @var{param4} accept floating point values.
12737
12738 The default value for @var{param1} is 3. The default value for the
12739 other parameters is 0.
12740
12741 These parameters correspond to the parameters assigned to the
12742 libopencv function @code{cvSmooth}.
12743
12744 @section oscilloscope
12745
12746 2D Video Oscilloscope.
12747
12748 Useful to measure spatial impulse, step responses, chroma delays, etc.
12749
12750 It accepts the following parameters:
12751
12752 @table @option
12753 @item x
12754 Set scope center x position.
12755
12756 @item y
12757 Set scope center y position.
12758
12759 @item s
12760 Set scope size, relative to frame diagonal.
12761
12762 @item t
12763 Set scope tilt/rotation.
12764
12765 @item o
12766 Set trace opacity.
12767
12768 @item tx
12769 Set trace center x position.
12770
12771 @item ty
12772 Set trace center y position.
12773
12774 @item tw
12775 Set trace width, relative to width of frame.
12776
12777 @item th
12778 Set trace height, relative to height of frame.
12779
12780 @item c
12781 Set which components to trace. By default it traces first three components.
12782
12783 @item g
12784 Draw trace grid. By default is enabled.
12785
12786 @item st
12787 Draw some statistics. By default is enabled.
12788
12789 @item sc
12790 Draw scope. By default is enabled.
12791 @end table
12792
12793 @subsection Examples
12794
12795 @itemize
12796 @item
12797 Inspect full first row of video frame.
12798 @example
12799 oscilloscope=x=0.5:y=0:s=1
12800 @end example
12801
12802 @item
12803 Inspect full last row of video frame.
12804 @example
12805 oscilloscope=x=0.5:y=1:s=1
12806 @end example
12807
12808 @item
12809 Inspect full 5th line of video frame of height 1080.
12810 @example
12811 oscilloscope=x=0.5:y=5/1080:s=1
12812 @end example
12813
12814 @item
12815 Inspect full last column of video frame.
12816 @example
12817 oscilloscope=x=1:y=0.5:s=1:t=1
12818 @end example
12819
12820 @end itemize
12821
12822 @anchor{overlay}
12823 @section overlay
12824
12825 Overlay one video on top of another.
12826
12827 It takes two inputs and has one output. The first input is the "main"
12828 video on which the second input is overlaid.
12829
12830 It accepts the following parameters:
12831
12832 A description of the accepted options follows.
12833
12834 @table @option
12835 @item x
12836 @item y
12837 Set the expression for the x and y coordinates of the overlaid video
12838 on the main video. Default value is "0" for both expressions. In case
12839 the expression is invalid, it is set to a huge value (meaning that the
12840 overlay will not be displayed within the output visible area).
12841
12842 @item eof_action
12843 See @ref{framesync}.
12844
12845 @item eval
12846 Set when the expressions for @option{x}, and @option{y} are evaluated.
12847
12848 It accepts the following values:
12849 @table @samp
12850 @item init
12851 only evaluate expressions once during the filter initialization or
12852 when a command is processed
12853
12854 @item frame
12855 evaluate expressions for each incoming frame
12856 @end table
12857
12858 Default value is @samp{frame}.
12859
12860 @item shortest
12861 See @ref{framesync}.
12862
12863 @item format
12864 Set the format for the output video.
12865
12866 It accepts the following values:
12867 @table @samp
12868 @item yuv420
12869 force YUV420 output
12870
12871 @item yuv422
12872 force YUV422 output
12873
12874 @item yuv444
12875 force YUV444 output
12876
12877 @item rgb
12878 force packed RGB output
12879
12880 @item gbrp
12881 force planar RGB output
12882
12883 @item auto
12884 automatically pick format
12885 @end table
12886
12887 Default value is @samp{yuv420}.
12888
12889 @item repeatlast
12890 See @ref{framesync}.
12891
12892 @item alpha
12893 Set format of alpha of the overlaid video, it can be @var{straight} or
12894 @var{premultiplied}. Default is @var{straight}.
12895 @end table
12896
12897 The @option{x}, and @option{y} expressions can contain the following
12898 parameters.
12899
12900 @table @option
12901 @item main_w, W
12902 @item main_h, H
12903 The main input width and height.
12904
12905 @item overlay_w, w
12906 @item overlay_h, h
12907 The overlay input width and height.
12908
12909 @item x
12910 @item y
12911 The computed values for @var{x} and @var{y}. They are evaluated for
12912 each new frame.
12913
12914 @item hsub
12915 @item vsub
12916 horizontal and vertical chroma subsample values of the output
12917 format. For example for the pixel format "yuv422p" @var{hsub} is 2 and
12918 @var{vsub} is 1.
12919
12920 @item n
12921 the number of input frame, starting from 0
12922
12923 @item pos
12924 the position in the file of the input frame, NAN if unknown
12925
12926 @item t
12927 The timestamp, expressed in seconds. It's NAN if the input timestamp is unknown.
12928
12929 @end table
12930
12931 This filter also supports the @ref{framesync} options.
12932
12933 Note that the @var{n}, @var{pos}, @var{t} variables are available only
12934 when evaluation is done @emph{per frame}, and will evaluate to NAN
12935 when @option{eval} is set to @samp{init}.
12936
12937 Be aware that frames are taken from each input video in timestamp
12938 order, hence, if their initial timestamps differ, it is a good idea
12939 to pass the two inputs through a @var{setpts=PTS-STARTPTS} filter to
12940 have them begin in the same zero timestamp, as the example for
12941 the @var{movie} filter does.
12942
12943 You can chain together more overlays but you should test the
12944 efficiency of such approach.
12945
12946 @subsection Commands
12947
12948 This filter supports the following commands:
12949 @table @option
12950 @item x
12951 @item y
12952 Modify the x and y of the overlay input.
12953 The command accepts the same syntax of the corresponding option.
12954
12955 If the specified expression is not valid, it is kept at its current
12956 value.
12957 @end table
12958
12959 @subsection Examples
12960
12961 @itemize
12962 @item
12963 Draw the overlay at 10 pixels from the bottom right corner of the main
12964 video:
12965 @example
12966 overlay=main_w-overlay_w-10:main_h-overlay_h-10
12967 @end example
12968
12969 Using named options the example above becomes:
12970 @example
12971 overlay=x=main_w-overlay_w-10:y=main_h-overlay_h-10
12972 @end example
12973
12974 @item
12975 Insert a transparent PNG logo in the bottom left corner of the input,
12976 using the @command{ffmpeg} tool with the @code{-filter_complex} option:
12977 @example
12978 ffmpeg -i input -i logo -filter_complex 'overlay=10:main_h-overlay_h-10' output
12979 @end example
12980
12981 @item
12982 Insert 2 different transparent PNG logos (second logo on bottom
12983 right corner) using the @command{ffmpeg} tool:
12984 @example
12985 ffmpeg -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
12986 @end example
12987
12988 @item
12989 Add a transparent color layer on top of the main video; @code{WxH}
12990 must specify the size of the main input to the overlay filter:
12991 @example
12992 color=color=red@@.3:size=WxH [over]; [in][over] overlay [out]
12993 @end example
12994
12995 @item
12996 Play an original video and a filtered version (here with the deshake
12997 filter) side by side using the @command{ffplay} tool:
12998 @example
12999 ffplay input.avi -vf 'split[a][b]; [a]pad=iw*2:ih[src]; [b]deshake[filt]; [src][filt]overlay=w'
13000 @end example
13001
13002 The above command is the same as:
13003 @example
13004 ffplay input.avi -vf 'split[b], pad=iw*2[src], [b]deshake, [src]overlay=w'
13005 @end example
13006
13007 @item
13008 Make a sliding overlay appearing from the left to the right top part of the
13009 screen starting since time 2:
13010 @example
13011 overlay=x='if(gte(t,2), -w+(t-2)*20, NAN)':y=0
13012 @end example
13013
13014 @item
13015 Compose output by putting two input videos side to side:
13016 @example
13017 ffmpeg -i left.avi -i right.avi -filter_complex "
13018 nullsrc=size=200x100 [background];
13019 [0:v] setpts=PTS-STARTPTS, scale=100x100 [left];
13020 [1:v] setpts=PTS-STARTPTS, scale=100x100 [right];
13021 [background][left]       overlay=shortest=1       [background+left];
13022 [background+left][right] overlay=shortest=1:x=100 [left+right]
13023 "
13024 @end example
13025
13026 @item
13027 Mask 10-20 seconds of a video by applying the delogo filter to a section
13028 @example
13029 ffmpeg -i test.avi -codec:v:0 wmv2 -ar 11025 -b:v 9000k
13030 -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]'
13031 masked.avi
13032 @end example
13033
13034 @item
13035 Chain several overlays in cascade:
13036 @example
13037 nullsrc=s=200x200 [bg];
13038 testsrc=s=100x100, split=4 [in0][in1][in2][in3];
13039 [in0] lutrgb=r=0, [bg]   overlay=0:0     [mid0];
13040 [in1] lutrgb=g=0, [mid0] overlay=100:0   [mid1];
13041 [in2] lutrgb=b=0, [mid1] overlay=0:100   [mid2];
13042 [in3] null,       [mid2] overlay=100:100 [out0]
13043 @end example
13044
13045 @end itemize
13046
13047 @section owdenoise
13048
13049 Apply Overcomplete Wavelet denoiser.
13050
13051 The filter accepts the following options:
13052
13053 @table @option
13054 @item depth
13055 Set depth.
13056
13057 Larger depth values will denoise lower frequency components more, but
13058 slow down filtering.
13059
13060 Must be an int in the range 8-16, default is @code{8}.
13061
13062 @item luma_strength, ls
13063 Set luma strength.
13064
13065 Must be a double value in the range 0-1000, default is @code{1.0}.
13066
13067 @item chroma_strength, cs
13068 Set chroma strength.
13069
13070 Must be a double value in the range 0-1000, default is @code{1.0}.
13071 @end table
13072
13073 @anchor{pad}
13074 @section pad
13075
13076 Add paddings to the input image, and place the original input at the
13077 provided @var{x}, @var{y} coordinates.
13078
13079 It accepts the following parameters:
13080
13081 @table @option
13082 @item width, w
13083 @item height, h
13084 Specify an expression for the size of the output image with the
13085 paddings added. If the value for @var{width} or @var{height} is 0, the
13086 corresponding input size is used for the output.
13087
13088 The @var{width} expression can reference the value set by the
13089 @var{height} expression, and vice versa.
13090
13091 The default value of @var{width} and @var{height} is 0.
13092
13093 @item x
13094 @item y
13095 Specify the offsets to place the input image at within the padded area,
13096 with respect to the top/left border of the output image.
13097
13098 The @var{x} expression can reference the value set by the @var{y}
13099 expression, and vice versa.
13100
13101 The default value of @var{x} and @var{y} is 0.
13102
13103 If @var{x} or @var{y} evaluate to a negative number, they'll be changed
13104 so the input image is centered on the padded area.
13105
13106 @item color
13107 Specify the color of the padded area. For the syntax of this option,
13108 check the @ref{color syntax,,"Color" section in the ffmpeg-utils
13109 manual,ffmpeg-utils}.
13110
13111 The default value of @var{color} is "black".
13112
13113 @item eval
13114 Specify when to evaluate  @var{width}, @var{height}, @var{x} and @var{y} expression.
13115
13116 It accepts the following values:
13117
13118 @table @samp
13119 @item init
13120 Only evaluate expressions once during the filter initialization or when
13121 a command is processed.
13122
13123 @item frame
13124 Evaluate expressions for each incoming frame.
13125
13126 @end table
13127
13128 Default value is @samp{init}.
13129
13130 @item aspect
13131 Pad to aspect instead to a resolution.
13132
13133 @end table
13134
13135 The value for the @var{width}, @var{height}, @var{x}, and @var{y}
13136 options are expressions containing the following constants:
13137
13138 @table @option
13139 @item in_w
13140 @item in_h
13141 The input video width and height.
13142
13143 @item iw
13144 @item ih
13145 These are the same as @var{in_w} and @var{in_h}.
13146
13147 @item out_w
13148 @item out_h
13149 The output width and height (the size of the padded area), as
13150 specified by the @var{width} and @var{height} expressions.
13151
13152 @item ow
13153 @item oh
13154 These are the same as @var{out_w} and @var{out_h}.
13155
13156 @item x
13157 @item y
13158 The x and y offsets as specified by the @var{x} and @var{y}
13159 expressions, or NAN if not yet specified.
13160
13161 @item a
13162 same as @var{iw} / @var{ih}
13163
13164 @item sar
13165 input sample aspect ratio
13166
13167 @item dar
13168 input display aspect ratio, it is the same as (@var{iw} / @var{ih}) * @var{sar}
13169
13170 @item hsub
13171 @item vsub
13172 The horizontal and vertical chroma subsample values. For example for the
13173 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
13174 @end table
13175
13176 @subsection Examples
13177
13178 @itemize
13179 @item
13180 Add paddings with the color "violet" to the input video. The output video
13181 size is 640x480, and the top-left corner of the input video is placed at
13182 column 0, row 40
13183 @example
13184 pad=640:480:0:40:violet
13185 @end example
13186
13187 The example above is equivalent to the following command:
13188 @example
13189 pad=width=640:height=480:x=0:y=40:color=violet
13190 @end example
13191
13192 @item
13193 Pad the input to get an output with dimensions increased by 3/2,
13194 and put the input video at the center of the padded area:
13195 @example
13196 pad="3/2*iw:3/2*ih:(ow-iw)/2:(oh-ih)/2"
13197 @end example
13198
13199 @item
13200 Pad the input to get a squared output with size equal to the maximum
13201 value between the input width and height, and put the input video at
13202 the center of the padded area:
13203 @example
13204 pad="max(iw\,ih):ow:(ow-iw)/2:(oh-ih)/2"
13205 @end example
13206
13207 @item
13208 Pad the input to get a final w/h ratio of 16:9:
13209 @example
13210 pad="ih*16/9:ih:(ow-iw)/2:(oh-ih)/2"
13211 @end example
13212
13213 @item
13214 In case of anamorphic video, in order to set the output display aspect
13215 correctly, it is necessary to use @var{sar} in the expression,
13216 according to the relation:
13217 @example
13218 (ih * X / ih) * sar = output_dar
13219 X = output_dar / sar
13220 @end example
13221
13222 Thus the previous example needs to be modified to:
13223 @example
13224 pad="ih*16/9/sar:ih:(ow-iw)/2:(oh-ih)/2"
13225 @end example
13226
13227 @item
13228 Double the output size and put the input video in the bottom-right
13229 corner of the output padded area:
13230 @example
13231 pad="2*iw:2*ih:ow-iw:oh-ih"
13232 @end example
13233 @end itemize
13234
13235 @anchor{palettegen}
13236 @section palettegen
13237
13238 Generate one palette for a whole video stream.
13239
13240 It accepts the following options:
13241
13242 @table @option
13243 @item max_colors
13244 Set the maximum number of colors to quantize in the palette.
13245 Note: the palette will still contain 256 colors; the unused palette entries
13246 will be black.
13247
13248 @item reserve_transparent
13249 Create a palette of 255 colors maximum and reserve the last one for
13250 transparency. Reserving the transparency color is useful for GIF optimization.
13251 If not set, the maximum of colors in the palette will be 256. You probably want
13252 to disable this option for a standalone image.
13253 Set by default.
13254
13255 @item transparency_color
13256 Set the color that will be used as background for transparency.
13257
13258 @item stats_mode
13259 Set statistics mode.
13260
13261 It accepts the following values:
13262 @table @samp
13263 @item full
13264 Compute full frame histograms.
13265 @item diff
13266 Compute histograms only for the part that differs from previous frame. This
13267 might be relevant to give more importance to the moving part of your input if
13268 the background is static.
13269 @item single
13270 Compute new histogram for each frame.
13271 @end table
13272
13273 Default value is @var{full}.
13274 @end table
13275
13276 The filter also exports the frame metadata @code{lavfi.color_quant_ratio}
13277 (@code{nb_color_in / nb_color_out}) which you can use to evaluate the degree of
13278 color quantization of the palette. This information is also visible at
13279 @var{info} logging level.
13280
13281 @subsection Examples
13282
13283 @itemize
13284 @item
13285 Generate a representative palette of a given video using @command{ffmpeg}:
13286 @example
13287 ffmpeg -i input.mkv -vf palettegen palette.png
13288 @end example
13289 @end itemize
13290
13291 @section paletteuse
13292
13293 Use a palette to downsample an input video stream.
13294
13295 The filter takes two inputs: one video stream and a palette. The palette must
13296 be a 256 pixels image.
13297
13298 It accepts the following options:
13299
13300 @table @option
13301 @item dither
13302 Select dithering mode. Available algorithms are:
13303 @table @samp
13304 @item bayer
13305 Ordered 8x8 bayer dithering (deterministic)
13306 @item heckbert
13307 Dithering as defined by Paul Heckbert in 1982 (simple error diffusion).
13308 Note: this dithering is sometimes considered "wrong" and is included as a
13309 reference.
13310 @item floyd_steinberg
13311 Floyd and Steingberg dithering (error diffusion)
13312 @item sierra2
13313 Frankie Sierra dithering v2 (error diffusion)
13314 @item sierra2_4a
13315 Frankie Sierra dithering v2 "Lite" (error diffusion)
13316 @end table
13317
13318 Default is @var{sierra2_4a}.
13319
13320 @item bayer_scale
13321 When @var{bayer} dithering is selected, this option defines the scale of the
13322 pattern (how much the crosshatch pattern is visible). A low value means more
13323 visible pattern for less banding, and higher value means less visible pattern
13324 at the cost of more banding.
13325
13326 The option must be an integer value in the range [0,5]. Default is @var{2}.
13327
13328 @item diff_mode
13329 If set, define the zone to process
13330
13331 @table @samp
13332 @item rectangle
13333 Only the changing rectangle will be reprocessed. This is similar to GIF
13334 cropping/offsetting compression mechanism. This option can be useful for speed
13335 if only a part of the image is changing, and has use cases such as limiting the
13336 scope of the error diffusal @option{dither} to the rectangle that bounds the
13337 moving scene (it leads to more deterministic output if the scene doesn't change
13338 much, and as a result less moving noise and better GIF compression).
13339 @end table
13340
13341 Default is @var{none}.
13342
13343 @item new
13344 Take new palette for each output frame.
13345
13346 @item alpha_threshold
13347 Sets the alpha threshold for transparency. Alpha values above this threshold
13348 will be treated as completely opaque, and values below this threshold will be
13349 treated as completely transparent.
13350
13351 The option must be an integer value in the range [0,255]. Default is @var{128}.
13352 @end table
13353
13354 @subsection Examples
13355
13356 @itemize
13357 @item
13358 Use a palette (generated for example with @ref{palettegen}) to encode a GIF
13359 using @command{ffmpeg}:
13360 @example
13361 ffmpeg -i input.mkv -i palette.png -lavfi paletteuse output.gif
13362 @end example
13363 @end itemize
13364
13365 @section perspective
13366
13367 Correct perspective of video not recorded perpendicular to the screen.
13368
13369 A description of the accepted parameters follows.
13370
13371 @table @option
13372 @item x0
13373 @item y0
13374 @item x1
13375 @item y1
13376 @item x2
13377 @item y2
13378 @item x3
13379 @item y3
13380 Set coordinates expression for top left, top right, bottom left and bottom right corners.
13381 Default values are @code{0:0:W:0:0:H:W:H} with which perspective will remain unchanged.
13382 If the @code{sense} option is set to @code{source}, then the specified points will be sent
13383 to the corners of the destination. If the @code{sense} option is set to @code{destination},
13384 then the corners of the source will be sent to the specified coordinates.
13385
13386 The expressions can use the following variables:
13387
13388 @table @option
13389 @item W
13390 @item H
13391 the width and height of video frame.
13392 @item in
13393 Input frame count.
13394 @item on
13395 Output frame count.
13396 @end table
13397
13398 @item interpolation
13399 Set interpolation for perspective correction.
13400
13401 It accepts the following values:
13402 @table @samp
13403 @item linear
13404 @item cubic
13405 @end table
13406
13407 Default value is @samp{linear}.
13408
13409 @item sense
13410 Set interpretation of coordinate options.
13411
13412 It accepts the following values:
13413 @table @samp
13414 @item 0, source
13415
13416 Send point in the source specified by the given coordinates to
13417 the corners of the destination.
13418
13419 @item 1, destination
13420
13421 Send the corners of the source to the point in the destination specified
13422 by the given coordinates.
13423
13424 Default value is @samp{source}.
13425 @end table
13426
13427 @item eval
13428 Set when the expressions for coordinates @option{x0,y0,...x3,y3} are evaluated.
13429
13430 It accepts the following values:
13431 @table @samp
13432 @item init
13433 only evaluate expressions once during the filter initialization or
13434 when a command is processed
13435
13436 @item frame
13437 evaluate expressions for each incoming frame
13438 @end table
13439
13440 Default value is @samp{init}.
13441 @end table
13442
13443 @section phase
13444
13445 Delay interlaced video by one field time so that the field order changes.
13446
13447 The intended use is to fix PAL movies that have been captured with the
13448 opposite field order to the film-to-video transfer.
13449
13450 A description of the accepted parameters follows.
13451
13452 @table @option
13453 @item mode
13454 Set phase mode.
13455
13456 It accepts the following values:
13457 @table @samp
13458 @item t
13459 Capture field order top-first, transfer bottom-first.
13460 Filter will delay the bottom field.
13461
13462 @item b
13463 Capture field order bottom-first, transfer top-first.
13464 Filter will delay the top field.
13465
13466 @item p
13467 Capture and transfer with the same field order. This mode only exists
13468 for the documentation of the other options to refer to, but if you
13469 actually select it, the filter will faithfully do nothing.
13470
13471 @item a
13472 Capture field order determined automatically by field flags, transfer
13473 opposite.
13474 Filter selects among @samp{t} and @samp{b} modes on a frame by frame
13475 basis using field flags. If no field information is available,
13476 then this works just like @samp{u}.
13477
13478 @item u
13479 Capture unknown or varying, transfer opposite.
13480 Filter selects among @samp{t} and @samp{b} on a frame by frame basis by
13481 analyzing the images and selecting the alternative that produces best
13482 match between the fields.
13483
13484 @item T
13485 Capture top-first, transfer unknown or varying.
13486 Filter selects among @samp{t} and @samp{p} using image analysis.
13487
13488 @item B
13489 Capture bottom-first, transfer unknown or varying.
13490 Filter selects among @samp{b} and @samp{p} using image analysis.
13491
13492 @item A
13493 Capture determined by field flags, transfer unknown or varying.
13494 Filter selects among @samp{t}, @samp{b} and @samp{p} using field flags and
13495 image analysis. If no field information is available, then this works just
13496 like @samp{U}. This is the default mode.
13497
13498 @item U
13499 Both capture and transfer unknown or varying.
13500 Filter selects among @samp{t}, @samp{b} and @samp{p} using image analysis only.
13501 @end table
13502 @end table
13503
13504 @section pixdesctest
13505
13506 Pixel format descriptor test filter, mainly useful for internal
13507 testing. The output video should be equal to the input video.
13508
13509 For example:
13510 @example
13511 format=monow, pixdesctest
13512 @end example
13513
13514 can be used to test the monowhite pixel format descriptor definition.
13515
13516 @section pixscope
13517
13518 Display sample values of color channels. Mainly useful for checking color
13519 and levels. Minimum supported resolution is 640x480.
13520
13521 The filters accept the following options:
13522
13523 @table @option
13524 @item x
13525 Set scope X position, relative offset on X axis.
13526
13527 @item y
13528 Set scope Y position, relative offset on Y axis.
13529
13530 @item w
13531 Set scope width.
13532
13533 @item h
13534 Set scope height.
13535
13536 @item o
13537 Set window opacity. This window also holds statistics about pixel area.
13538
13539 @item wx
13540 Set window X position, relative offset on X axis.
13541
13542 @item wy
13543 Set window Y position, relative offset on Y axis.
13544 @end table
13545
13546 @section pp
13547
13548 Enable the specified chain of postprocessing subfilters using libpostproc. This
13549 library should be automatically selected with a GPL build (@code{--enable-gpl}).
13550 Subfilters must be separated by '/' and can be disabled by prepending a '-'.
13551 Each subfilter and some options have a short and a long name that can be used
13552 interchangeably, i.e. dr/dering are the same.
13553
13554 The filters accept the following options:
13555
13556 @table @option
13557 @item subfilters
13558 Set postprocessing subfilters string.
13559 @end table
13560
13561 All subfilters share common options to determine their scope:
13562
13563 @table @option
13564 @item a/autoq
13565 Honor the quality commands for this subfilter.
13566
13567 @item c/chrom
13568 Do chrominance filtering, too (default).
13569
13570 @item y/nochrom
13571 Do luminance filtering only (no chrominance).
13572
13573 @item n/noluma
13574 Do chrominance filtering only (no luminance).
13575 @end table
13576
13577 These options can be appended after the subfilter name, separated by a '|'.
13578
13579 Available subfilters are:
13580
13581 @table @option
13582 @item hb/hdeblock[|difference[|flatness]]
13583 Horizontal deblocking filter
13584 @table @option
13585 @item difference
13586 Difference factor where higher values mean more deblocking (default: @code{32}).
13587 @item flatness
13588 Flatness threshold where lower values mean more deblocking (default: @code{39}).
13589 @end table
13590
13591 @item vb/vdeblock[|difference[|flatness]]
13592 Vertical deblocking filter
13593 @table @option
13594 @item difference
13595 Difference factor where higher values mean more deblocking (default: @code{32}).
13596 @item flatness
13597 Flatness threshold where lower values mean more deblocking (default: @code{39}).
13598 @end table
13599
13600 @item ha/hadeblock[|difference[|flatness]]
13601 Accurate horizontal deblocking filter
13602 @table @option
13603 @item difference
13604 Difference factor where higher values mean more deblocking (default: @code{32}).
13605 @item flatness
13606 Flatness threshold where lower values mean more deblocking (default: @code{39}).
13607 @end table
13608
13609 @item va/vadeblock[|difference[|flatness]]
13610 Accurate vertical deblocking filter
13611 @table @option
13612 @item difference
13613 Difference factor where higher values mean more deblocking (default: @code{32}).
13614 @item flatness
13615 Flatness threshold where lower values mean more deblocking (default: @code{39}).
13616 @end table
13617 @end table
13618
13619 The horizontal and vertical deblocking filters share the difference and
13620 flatness values so you cannot set different horizontal and vertical
13621 thresholds.
13622
13623 @table @option
13624 @item h1/x1hdeblock
13625 Experimental horizontal deblocking filter
13626
13627 @item v1/x1vdeblock
13628 Experimental vertical deblocking filter
13629
13630 @item dr/dering
13631 Deringing filter
13632
13633 @item tn/tmpnoise[|threshold1[|threshold2[|threshold3]]], temporal noise reducer
13634 @table @option
13635 @item threshold1
13636 larger -> stronger filtering
13637 @item threshold2
13638 larger -> stronger filtering
13639 @item threshold3
13640 larger -> stronger filtering
13641 @end table
13642
13643 @item al/autolevels[:f/fullyrange], automatic brightness / contrast correction
13644 @table @option
13645 @item f/fullyrange
13646 Stretch luminance to @code{0-255}.
13647 @end table
13648
13649 @item lb/linblenddeint
13650 Linear blend deinterlacing filter that deinterlaces the given block by
13651 filtering all lines with a @code{(1 2 1)} filter.
13652
13653 @item li/linipoldeint
13654 Linear interpolating deinterlacing filter that deinterlaces the given block by
13655 linearly interpolating every second line.
13656
13657 @item ci/cubicipoldeint
13658 Cubic interpolating deinterlacing filter deinterlaces the given block by
13659 cubically interpolating every second line.
13660
13661 @item md/mediandeint
13662 Median deinterlacing filter that deinterlaces the given block by applying a
13663 median filter to every second line.
13664
13665 @item fd/ffmpegdeint
13666 FFmpeg deinterlacing filter that deinterlaces the given block by filtering every
13667 second line with a @code{(-1 4 2 4 -1)} filter.
13668
13669 @item l5/lowpass5
13670 Vertically applied FIR lowpass deinterlacing filter that deinterlaces the given
13671 block by filtering all lines with a @code{(-1 2 6 2 -1)} filter.
13672
13673 @item fq/forceQuant[|quantizer]
13674 Overrides the quantizer table from the input with the constant quantizer you
13675 specify.
13676 @table @option
13677 @item quantizer
13678 Quantizer to use
13679 @end table
13680
13681 @item de/default
13682 Default pp filter combination (@code{hb|a,vb|a,dr|a})
13683
13684 @item fa/fast
13685 Fast pp filter combination (@code{h1|a,v1|a,dr|a})
13686
13687 @item ac
13688 High quality pp filter combination (@code{ha|a|128|7,va|a,dr|a})
13689 @end table
13690
13691 @subsection Examples
13692
13693 @itemize
13694 @item
13695 Apply horizontal and vertical deblocking, deringing and automatic
13696 brightness/contrast:
13697 @example
13698 pp=hb/vb/dr/al
13699 @end example
13700
13701 @item
13702 Apply default filters without brightness/contrast correction:
13703 @example
13704 pp=de/-al
13705 @end example
13706
13707 @item
13708 Apply default filters and temporal denoiser:
13709 @example
13710 pp=default/tmpnoise|1|2|3
13711 @end example
13712
13713 @item
13714 Apply deblocking on luminance only, and switch vertical deblocking on or off
13715 automatically depending on available CPU time:
13716 @example
13717 pp=hb|y/vb|a
13718 @end example
13719 @end itemize
13720
13721 @section pp7
13722 Apply Postprocessing filter 7. It is variant of the @ref{spp} filter,
13723 similar to spp = 6 with 7 point DCT, where only the center sample is
13724 used after IDCT.
13725
13726 The filter accepts the following options:
13727
13728 @table @option
13729 @item qp
13730 Force a constant quantization parameter. It accepts an integer in range
13731 0 to 63. If not set, the filter will use the QP from the video stream
13732 (if available).
13733
13734 @item mode
13735 Set thresholding mode. Available modes are:
13736
13737 @table @samp
13738 @item hard
13739 Set hard thresholding.
13740 @item soft
13741 Set soft thresholding (better de-ringing effect, but likely blurrier).
13742 @item medium
13743 Set medium thresholding (good results, default).
13744 @end table
13745 @end table
13746
13747 @section premultiply
13748 Apply alpha premultiply effect to input video stream using first plane
13749 of second stream as alpha.
13750
13751 Both streams must have same dimensions and same pixel format.
13752
13753 The filter accepts the following option:
13754
13755 @table @option
13756 @item planes
13757 Set which planes will be processed, unprocessed planes will be copied.
13758 By default value 0xf, all planes will be processed.
13759
13760 @item inplace
13761 Do not require 2nd input for processing, instead use alpha plane from input stream.
13762 @end table
13763
13764 @section prewitt
13765 Apply prewitt operator to input video stream.
13766
13767 The filter accepts the following option:
13768
13769 @table @option
13770 @item planes
13771 Set which planes will be processed, unprocessed planes will be copied.
13772 By default value 0xf, all planes will be processed.
13773
13774 @item scale
13775 Set value which will be multiplied with filtered result.
13776
13777 @item delta
13778 Set value which will be added to filtered result.
13779 @end table
13780
13781 @anchor{program_opencl}
13782 @section program_opencl
13783
13784 Filter video using an OpenCL program.
13785
13786 @table @option
13787
13788 @item source
13789 OpenCL program source file.
13790
13791 @item kernel
13792 Kernel name in program.
13793
13794 @item inputs
13795 Number of inputs to the filter.  Defaults to 1.
13796
13797 @item size, s
13798 Size of output frames.  Defaults to the same as the first input.
13799
13800 @end table
13801
13802 The program source file must contain a kernel function with the given name,
13803 which will be run once for each plane of the output.  Each run on a plane
13804 gets enqueued as a separate 2D global NDRange with one work-item for each
13805 pixel to be generated.  The global ID offset for each work-item is therefore
13806 the coordinates of a pixel in the destination image.
13807
13808 The kernel function needs to take the following arguments:
13809 @itemize
13810 @item
13811 Destination image, @var{__write_only image2d_t}.
13812
13813 This image will become the output; the kernel should write all of it.
13814 @item
13815 Frame index, @var{unsigned int}.
13816
13817 This is a counter starting from zero and increasing by one for each frame.
13818 @item
13819 Source images, @var{__read_only image2d_t}.
13820
13821 These are the most recent images on each input.  The kernel may read from
13822 them to generate the output, but they can't be written to.
13823 @end itemize
13824
13825 Example programs:
13826
13827 @itemize
13828 @item
13829 Copy the input to the output (output must be the same size as the input).
13830 @verbatim
13831 __kernel void copy(__write_only image2d_t destination,
13832                    unsigned int index,
13833                    __read_only  image2d_t source)
13834 {
13835     const sampler_t sampler = CLK_NORMALIZED_COORDS_FALSE;
13836
13837     int2 location = (int2)(get_global_id(0), get_global_id(1));
13838
13839     float4 value = read_imagef(source, sampler, location);
13840
13841     write_imagef(destination, location, value);
13842 }
13843 @end verbatim
13844
13845 @item
13846 Apply a simple transformation, rotating the input by an amount increasing
13847 with the index counter.  Pixel values are linearly interpolated by the
13848 sampler, and the output need not have the same dimensions as the input.
13849 @verbatim
13850 __kernel void rotate_image(__write_only image2d_t dst,
13851                            unsigned int index,
13852                            __read_only  image2d_t src)
13853 {
13854     const sampler_t sampler = (CLK_NORMALIZED_COORDS_FALSE |
13855                                CLK_FILTER_LINEAR);
13856
13857     float angle = (float)index / 100.0f;
13858
13859     float2 dst_dim = convert_float2(get_image_dim(dst));
13860     float2 src_dim = convert_float2(get_image_dim(src));
13861
13862     float2 dst_cen = dst_dim / 2.0f;
13863     float2 src_cen = src_dim / 2.0f;
13864
13865     int2   dst_loc = (int2)(get_global_id(0), get_global_id(1));
13866
13867     float2 dst_pos = convert_float2(dst_loc) - dst_cen;
13868     float2 src_pos = {
13869         cos(angle) * dst_pos.x - sin(angle) * dst_pos.y,
13870         sin(angle) * dst_pos.x + cos(angle) * dst_pos.y
13871     };
13872     src_pos = src_pos * src_dim / dst_dim;
13873
13874     float2 src_loc = src_pos + src_cen;
13875
13876     if (src_loc.x < 0.0f      || src_loc.y < 0.0f ||
13877         src_loc.x > src_dim.x || src_loc.y > src_dim.y)
13878         write_imagef(dst, dst_loc, 0.5f);
13879     else
13880         write_imagef(dst, dst_loc, read_imagef(src, sampler, src_loc));
13881 }
13882 @end verbatim
13883
13884 @item
13885 Blend two inputs together, with the amount of each input used varying
13886 with the index counter.
13887 @verbatim
13888 __kernel void blend_images(__write_only image2d_t dst,
13889                            unsigned int index,
13890                            __read_only  image2d_t src1,
13891                            __read_only  image2d_t src2)
13892 {
13893     const sampler_t sampler = (CLK_NORMALIZED_COORDS_FALSE |
13894                                CLK_FILTER_LINEAR);
13895
13896     float blend = (cos((float)index / 50.0f) + 1.0f) / 2.0f;
13897
13898     int2  dst_loc = (int2)(get_global_id(0), get_global_id(1));
13899     int2 src1_loc = dst_loc * get_image_dim(src1) / get_image_dim(dst);
13900     int2 src2_loc = dst_loc * get_image_dim(src2) / get_image_dim(dst);
13901
13902     float4 val1 = read_imagef(src1, sampler, src1_loc);
13903     float4 val2 = read_imagef(src2, sampler, src2_loc);
13904
13905     write_imagef(dst, dst_loc, val1 * blend + val2 * (1.0f - blend));
13906 }
13907 @end verbatim
13908
13909 @end itemize
13910
13911 @section pseudocolor
13912
13913 Alter frame colors in video with pseudocolors.
13914
13915 This filter accept the following options:
13916
13917 @table @option
13918 @item c0
13919 set pixel first component expression
13920
13921 @item c1
13922 set pixel second component expression
13923
13924 @item c2
13925 set pixel third component expression
13926
13927 @item c3
13928 set pixel fourth component expression, corresponds to the alpha component
13929
13930 @item i
13931 set component to use as base for altering colors
13932 @end table
13933
13934 Each of them specifies the expression to use for computing the lookup table for
13935 the corresponding pixel component values.
13936
13937 The expressions can contain the following constants and functions:
13938
13939 @table @option
13940 @item w
13941 @item h
13942 The input width and height.
13943
13944 @item val
13945 The input value for the pixel component.
13946
13947 @item ymin, umin, vmin, amin
13948 The minimum allowed component value.
13949
13950 @item ymax, umax, vmax, amax
13951 The maximum allowed component value.
13952 @end table
13953
13954 All expressions default to "val".
13955
13956 @subsection Examples
13957
13958 @itemize
13959 @item
13960 Change too high luma values to gradient:
13961 @example
13962 pseudocolor="'if(between(val,ymax,amax),lerp(ymin,ymax,(val-ymax)/(amax-ymax)),-1):if(between(val,ymax,amax),lerp(umax,umin,(val-ymax)/(amax-ymax)),-1):if(between(val,ymax,amax),lerp(vmin,vmax,(val-ymax)/(amax-ymax)),-1):-1'"
13963 @end example
13964 @end itemize
13965
13966 @section psnr
13967
13968 Obtain the average, maximum and minimum PSNR (Peak Signal to Noise
13969 Ratio) between two input videos.
13970
13971 This filter takes in input two input videos, the first input is
13972 considered the "main" source and is passed unchanged to the
13973 output. The second input is used as a "reference" video for computing
13974 the PSNR.
13975
13976 Both video inputs must have the same resolution and pixel format for
13977 this filter to work correctly. Also it assumes that both inputs
13978 have the same number of frames, which are compared one by one.
13979
13980 The obtained average PSNR is printed through the logging system.
13981
13982 The filter stores the accumulated MSE (mean squared error) of each
13983 frame, and at the end of the processing it is averaged across all frames
13984 equally, and the following formula is applied to obtain the PSNR:
13985
13986 @example
13987 PSNR = 10*log10(MAX^2/MSE)
13988 @end example
13989
13990 Where MAX is the average of the maximum values of each component of the
13991 image.
13992
13993 The description of the accepted parameters follows.
13994
13995 @table @option
13996 @item stats_file, f
13997 If specified the filter will use the named file to save the PSNR of
13998 each individual frame. When filename equals "-" the data is sent to
13999 standard output.
14000
14001 @item stats_version
14002 Specifies which version of the stats file format to use. Details of
14003 each format are written below.
14004 Default value is 1.
14005
14006 @item stats_add_max
14007 Determines whether the max value is output to the stats log.
14008 Default value is 0.
14009 Requires stats_version >= 2. If this is set and stats_version < 2,
14010 the filter will return an error.
14011 @end table
14012
14013 This filter also supports the @ref{framesync} options.
14014
14015 The file printed if @var{stats_file} is selected, contains a sequence of
14016 key/value pairs of the form @var{key}:@var{value} for each compared
14017 couple of frames.
14018
14019 If a @var{stats_version} greater than 1 is specified, a header line precedes
14020 the list of per-frame-pair stats, with key value pairs following the frame
14021 format with the following parameters:
14022
14023 @table @option
14024 @item psnr_log_version
14025 The version of the log file format. Will match @var{stats_version}.
14026
14027 @item fields
14028 A comma separated list of the per-frame-pair parameters included in
14029 the log.
14030 @end table
14031
14032 A description of each shown per-frame-pair parameter follows:
14033
14034 @table @option
14035 @item n
14036 sequential number of the input frame, starting from 1
14037
14038 @item mse_avg
14039 Mean Square Error pixel-by-pixel average difference of the compared
14040 frames, averaged over all the image components.
14041
14042 @item mse_y, mse_u, mse_v, mse_r, mse_g, mse_b, mse_a
14043 Mean Square Error pixel-by-pixel average difference of the compared
14044 frames for the component specified by the suffix.
14045
14046 @item psnr_y, psnr_u, psnr_v, psnr_r, psnr_g, psnr_b, psnr_a
14047 Peak Signal to Noise ratio of the compared frames for the component
14048 specified by the suffix.
14049
14050 @item max_avg, max_y, max_u, max_v
14051 Maximum allowed value for each channel, and average over all
14052 channels.
14053 @end table
14054
14055 For example:
14056 @example
14057 movie=ref_movie.mpg, setpts=PTS-STARTPTS [main];
14058 [main][ref] psnr="stats_file=stats.log" [out]
14059 @end example
14060
14061 On this example the input file being processed is compared with the
14062 reference file @file{ref_movie.mpg}. The PSNR of each individual frame
14063 is stored in @file{stats.log}.
14064
14065 @anchor{pullup}
14066 @section pullup
14067
14068 Pulldown reversal (inverse telecine) filter, capable of handling mixed
14069 hard-telecine, 24000/1001 fps progressive, and 30000/1001 fps progressive
14070 content.
14071
14072 The pullup filter is designed to take advantage of future context in making
14073 its decisions. This filter is stateless in the sense that it does not lock
14074 onto a pattern to follow, but it instead looks forward to the following
14075 fields in order to identify matches and rebuild progressive frames.
14076
14077 To produce content with an even framerate, insert the fps filter after
14078 pullup, use @code{fps=24000/1001} if the input frame rate is 29.97fps,
14079 @code{fps=24} for 30fps and the (rare) telecined 25fps input.
14080
14081 The filter accepts the following options:
14082
14083 @table @option
14084 @item jl
14085 @item jr
14086 @item jt
14087 @item jb
14088 These options set the amount of "junk" to ignore at the left, right, top, and
14089 bottom of the image, respectively. Left and right are in units of 8 pixels,
14090 while top and bottom are in units of 2 lines.
14091 The default is 8 pixels on each side.
14092
14093 @item sb
14094 Set the strict breaks. Setting this option to 1 will reduce the chances of
14095 filter generating an occasional mismatched frame, but it may also cause an
14096 excessive number of frames to be dropped during high motion sequences.
14097 Conversely, setting it to -1 will make filter match fields more easily.
14098 This may help processing of video where there is slight blurring between
14099 the fields, but may also cause there to be interlaced frames in the output.
14100 Default value is @code{0}.
14101
14102 @item mp
14103 Set the metric plane to use. It accepts the following values:
14104 @table @samp
14105 @item l
14106 Use luma plane.
14107
14108 @item u
14109 Use chroma blue plane.
14110
14111 @item v
14112 Use chroma red plane.
14113 @end table
14114
14115 This option may be set to use chroma plane instead of the default luma plane
14116 for doing filter's computations. This may improve accuracy on very clean
14117 source material, but more likely will decrease accuracy, especially if there
14118 is chroma noise (rainbow effect) or any grayscale video.
14119 The main purpose of setting @option{mp} to a chroma plane is to reduce CPU
14120 load and make pullup usable in realtime on slow machines.
14121 @end table
14122
14123 For best results (without duplicated frames in the output file) it is
14124 necessary to change the output frame rate. For example, to inverse
14125 telecine NTSC input:
14126 @example
14127 ffmpeg -i input -vf pullup -r 24000/1001 ...
14128 @end example
14129
14130 @section qp
14131
14132 Change video quantization parameters (QP).
14133
14134 The filter accepts the following option:
14135
14136 @table @option
14137 @item qp
14138 Set expression for quantization parameter.
14139 @end table
14140
14141 The expression is evaluated through the eval API and can contain, among others,
14142 the following constants:
14143
14144 @table @var
14145 @item known
14146 1 if index is not 129, 0 otherwise.
14147
14148 @item qp
14149 Sequential index starting from -129 to 128.
14150 @end table
14151
14152 @subsection Examples
14153
14154 @itemize
14155 @item
14156 Some equation like:
14157 @example
14158 qp=2+2*sin(PI*qp)
14159 @end example
14160 @end itemize
14161
14162 @section random
14163
14164 Flush video frames from internal cache of frames into a random order.
14165 No frame is discarded.
14166 Inspired by @ref{frei0r} nervous filter.
14167
14168 @table @option
14169 @item frames
14170 Set size in number of frames of internal cache, in range from @code{2} to
14171 @code{512}. Default is @code{30}.
14172
14173 @item seed
14174 Set seed for random number generator, must be an integer included between
14175 @code{0} and @code{UINT32_MAX}. If not specified, or if explicitly set to
14176 less than @code{0}, the filter will try to use a good random seed on a
14177 best effort basis.
14178 @end table
14179
14180 @section readeia608
14181
14182 Read closed captioning (EIA-608) information from the top lines of a video frame.
14183
14184 This filter adds frame metadata for @code{lavfi.readeia608.X.cc} and
14185 @code{lavfi.readeia608.X.line}, where @code{X} is the number of the identified line
14186 with EIA-608 data (starting from 0). A description of each metadata value follows:
14187
14188 @table @option
14189 @item lavfi.readeia608.X.cc
14190 The two bytes stored as EIA-608 data (printed in hexadecimal).
14191
14192 @item lavfi.readeia608.X.line
14193 The number of the line on which the EIA-608 data was identified and read.
14194 @end table
14195
14196 This filter accepts the following options:
14197
14198 @table @option
14199 @item scan_min
14200 Set the line to start scanning for EIA-608 data. Default is @code{0}.
14201
14202 @item scan_max
14203 Set the line to end scanning for EIA-608 data. Default is @code{29}.
14204
14205 @item mac
14206 Set minimal acceptable amplitude change for sync codes detection.
14207 Default is @code{0.2}. Allowed range is @code{[0.001 - 1]}.
14208
14209 @item spw
14210 Set the ratio of width reserved for sync code detection.
14211 Default is @code{0.27}. Allowed range is @code{[0.01 - 0.7]}.
14212
14213 @item mhd
14214 Set the max peaks height difference for sync code detection.
14215 Default is @code{0.1}. Allowed range is @code{[0.0 - 0.5]}.
14216
14217 @item mpd
14218 Set max peaks period difference for sync code detection.
14219 Default is @code{0.1}. Allowed range is @code{[0.0 - 0.5]}.
14220
14221 @item msd
14222 Set the first two max start code bits differences.
14223 Default is @code{0.02}. Allowed range is @code{[0.0 - 0.5]}.
14224
14225 @item bhd
14226 Set the minimum ratio of bits height compared to 3rd start code bit.
14227 Default is @code{0.75}. Allowed range is @code{[0.01 - 1]}.
14228
14229 @item th_w
14230 Set the white color threshold. Default is @code{0.35}. Allowed range is @code{[0.1 - 1]}.
14231
14232 @item th_b
14233 Set the black color threshold. Default is @code{0.15}. Allowed range is @code{[0.0 - 0.5]}.
14234
14235 @item chp
14236 Enable checking the parity bit. In the event of a parity error, the filter will output
14237 @code{0x00} for that character. Default is false.
14238 @end table
14239
14240 @subsection Examples
14241
14242 @itemize
14243 @item
14244 Output a csv with presentation time and the first two lines of identified EIA-608 captioning data.
14245 @example
14246 ffprobe -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
14247 @end example
14248 @end itemize
14249
14250 @section readvitc
14251
14252 Read vertical interval timecode (VITC) information from the top lines of a
14253 video frame.
14254
14255 The filter adds frame metadata key @code{lavfi.readvitc.tc_str} with the
14256 timecode value, if a valid timecode has been detected. Further metadata key
14257 @code{lavfi.readvitc.found} is set to 0/1 depending on whether
14258 timecode data has been found or not.
14259
14260 This filter accepts the following options:
14261
14262 @table @option
14263 @item scan_max
14264 Set the maximum number of lines to scan for VITC data. If the value is set to
14265 @code{-1} the full video frame is scanned. Default is @code{45}.
14266
14267 @item thr_b
14268 Set the luma threshold for black. Accepts float numbers in the range [0.0,1.0],
14269 default value is @code{0.2}. The value must be equal or less than @code{thr_w}.
14270
14271 @item thr_w
14272 Set the luma threshold for white. Accepts float numbers in the range [0.0,1.0],
14273 default value is @code{0.6}. The value must be equal or greater than @code{thr_b}.
14274 @end table
14275
14276 @subsection Examples
14277
14278 @itemize
14279 @item
14280 Detect and draw VITC data onto the video frame; if no valid VITC is detected,
14281 draw @code{--:--:--:--} as a placeholder:
14282 @example
14283 ffmpeg -i input.avi -filter:v 'readvitc,drawtext=fontfile=FreeMono.ttf:text=%@{metadata\\:lavfi.readvitc.tc_str\\:--\\\\\\:--\\\\\\:--\\\\\\:--@}:x=(w-tw)/2:y=400-ascent'
14284 @end example
14285 @end itemize
14286
14287 @section remap
14288
14289 Remap pixels using 2nd: Xmap and 3rd: Ymap input video stream.
14290
14291 Destination pixel at position (X, Y) will be picked from source (x, y) position
14292 where x = Xmap(X, Y) and y = Ymap(X, Y). If mapping values are out of range, zero
14293 value for pixel will be used for destination pixel.
14294
14295 Xmap and Ymap input video streams must be of same dimensions. Output video stream
14296 will have Xmap/Ymap video stream dimensions.
14297 Xmap and Ymap input video streams are 16bit depth, single channel.
14298
14299 @section removegrain
14300
14301 The removegrain filter is a spatial denoiser for progressive video.
14302
14303 @table @option
14304 @item m0
14305 Set mode for the first plane.
14306
14307 @item m1
14308 Set mode for the second plane.
14309
14310 @item m2
14311 Set mode for the third plane.
14312
14313 @item m3
14314 Set mode for the fourth plane.
14315 @end table
14316
14317 Range of mode is from 0 to 24. Description of each mode follows:
14318
14319 @table @var
14320 @item 0
14321 Leave input plane unchanged. Default.
14322
14323 @item 1
14324 Clips the pixel with the minimum and maximum of the 8 neighbour pixels.
14325
14326 @item 2
14327 Clips the pixel with the second minimum and maximum of the 8 neighbour pixels.
14328
14329 @item 3
14330 Clips the pixel with the third minimum and maximum of the 8 neighbour pixels.
14331
14332 @item 4
14333 Clips the pixel with the fourth minimum and maximum of the 8 neighbour pixels.
14334 This is equivalent to a median filter.
14335
14336 @item 5
14337 Line-sensitive clipping giving the minimal change.
14338
14339 @item 6
14340 Line-sensitive clipping, intermediate.
14341
14342 @item 7
14343 Line-sensitive clipping, intermediate.
14344
14345 @item 8
14346 Line-sensitive clipping, intermediate.
14347
14348 @item 9
14349 Line-sensitive clipping on a line where the neighbours pixels are the closest.
14350
14351 @item 10
14352 Replaces the target pixel with the closest neighbour.
14353
14354 @item 11
14355 [1 2 1] horizontal and vertical kernel blur.
14356
14357 @item 12
14358 Same as mode 11.
14359
14360 @item 13
14361 Bob mode, interpolates top field from the line where the neighbours
14362 pixels are the closest.
14363
14364 @item 14
14365 Bob mode, interpolates bottom field from the line where the neighbours
14366 pixels are the closest.
14367
14368 @item 15
14369 Bob mode, interpolates top field. Same as 13 but with a more complicated
14370 interpolation formula.
14371
14372 @item 16
14373 Bob mode, interpolates bottom field. Same as 14 but with a more complicated
14374 interpolation formula.
14375
14376 @item 17
14377 Clips the pixel with the minimum and maximum of respectively the maximum and
14378 minimum of each pair of opposite neighbour pixels.
14379
14380 @item 18
14381 Line-sensitive clipping using opposite neighbours whose greatest distance from
14382 the current pixel is minimal.
14383
14384 @item 19
14385 Replaces the pixel with the average of its 8 neighbours.
14386
14387 @item 20
14388 Averages the 9 pixels ([1 1 1] horizontal and vertical blur).
14389
14390 @item 21
14391 Clips pixels using the averages of opposite neighbour.
14392
14393 @item 22
14394 Same as mode 21 but simpler and faster.
14395
14396 @item 23
14397 Small edge and halo removal, but reputed useless.
14398
14399 @item 24
14400 Similar as 23.
14401 @end table
14402
14403 @section removelogo
14404
14405 Suppress a TV station logo, using an image file to determine which
14406 pixels comprise the logo. It works by filling in the pixels that
14407 comprise the logo with neighboring pixels.
14408
14409 The filter accepts the following options:
14410
14411 @table @option
14412 @item filename, f
14413 Set the filter bitmap file, which can be any image format supported by
14414 libavformat. The width and height of the image file must match those of the
14415 video stream being processed.
14416 @end table
14417
14418 Pixels in the provided bitmap image with a value of zero are not
14419 considered part of the logo, non-zero pixels are considered part of
14420 the logo. If you use white (255) for the logo and black (0) for the
14421 rest, you will be safe. For making the filter bitmap, it is
14422 recommended to take a screen capture of a black frame with the logo
14423 visible, and then using a threshold filter followed by the erode
14424 filter once or twice.
14425
14426 If needed, little splotches can be fixed manually. Remember that if
14427 logo pixels are not covered, the filter quality will be much
14428 reduced. Marking too many pixels as part of the logo does not hurt as
14429 much, but it will increase the amount of blurring needed to cover over
14430 the image and will destroy more information than necessary, and extra
14431 pixels will slow things down on a large logo.
14432
14433 @section repeatfields
14434
14435 This filter uses the repeat_field flag from the Video ES headers and hard repeats
14436 fields based on its value.
14437
14438 @section reverse
14439
14440 Reverse a video clip.
14441
14442 Warning: This filter requires memory to buffer the entire clip, so trimming
14443 is suggested.
14444
14445 @subsection Examples
14446
14447 @itemize
14448 @item
14449 Take the first 5 seconds of a clip, and reverse it.
14450 @example
14451 trim=end=5,reverse
14452 @end example
14453 @end itemize
14454
14455 @section rgbashift
14456 Shift R/G/B/A pixels horizontally and/or vertically.
14457
14458 The filter accepts the following options:
14459 @table @option
14460 @item rh
14461 Set amount to shift red horizontally.
14462 @item rv
14463 Set amount to shift red vertically.
14464 @item gh
14465 Set amount to shift green horizontally.
14466 @item gv
14467 Set amount to shift green vertically.
14468 @item bh
14469 Set amount to shift blue horizontally.
14470 @item bv
14471 Set amount to shift blue vertically.
14472 @item ah
14473 Set amount to shift alpha horizontally.
14474 @item av
14475 Set amount to shift alpha vertically.
14476 @item edge
14477 Set edge mode, can be @var{smear}, default, or @var{warp}.
14478 @end table
14479
14480 @section roberts
14481 Apply roberts cross operator to input video stream.
14482
14483 The filter accepts the following option:
14484
14485 @table @option
14486 @item planes
14487 Set which planes will be processed, unprocessed planes will be copied.
14488 By default value 0xf, all planes will be processed.
14489
14490 @item scale
14491 Set value which will be multiplied with filtered result.
14492
14493 @item delta
14494 Set value which will be added to filtered result.
14495 @end table
14496
14497 @section rotate
14498
14499 Rotate video by an arbitrary angle expressed in radians.
14500
14501 The filter accepts the following options:
14502
14503 A description of the optional parameters follows.
14504 @table @option
14505 @item angle, a
14506 Set an expression for the angle by which to rotate the input video
14507 clockwise, expressed as a number of radians. A negative value will
14508 result in a counter-clockwise rotation. By default it is set to "0".
14509
14510 This expression is evaluated for each frame.
14511
14512 @item out_w, ow
14513 Set the output width expression, default value is "iw".
14514 This expression is evaluated just once during configuration.
14515
14516 @item out_h, oh
14517 Set the output height expression, default value is "ih".
14518 This expression is evaluated just once during configuration.
14519
14520 @item bilinear
14521 Enable bilinear interpolation if set to 1, a value of 0 disables
14522 it. Default value is 1.
14523
14524 @item fillcolor, c
14525 Set the color used to fill the output area not covered by the rotated
14526 image. For the general syntax of this option, check the
14527 @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}.
14528 If the special value "none" is selected then no
14529 background is printed (useful for example if the background is never shown).
14530
14531 Default value is "black".
14532 @end table
14533
14534 The expressions for the angle and the output size can contain the
14535 following constants and functions:
14536
14537 @table @option
14538 @item n
14539 sequential number of the input frame, starting from 0. It is always NAN
14540 before the first frame is filtered.
14541
14542 @item t
14543 time in seconds of the input frame, it is set to 0 when the filter is
14544 configured. It is always NAN before the first frame is filtered.
14545
14546 @item hsub
14547 @item vsub
14548 horizontal and vertical chroma subsample values. For example for the
14549 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
14550
14551 @item in_w, iw
14552 @item in_h, ih
14553 the input video width and height
14554
14555 @item out_w, ow
14556 @item out_h, oh
14557 the output width and height, that is the size of the padded area as
14558 specified by the @var{width} and @var{height} expressions
14559
14560 @item rotw(a)
14561 @item roth(a)
14562 the minimal width/height required for completely containing the input
14563 video rotated by @var{a} radians.
14564
14565 These are only available when computing the @option{out_w} and
14566 @option{out_h} expressions.
14567 @end table
14568
14569 @subsection Examples
14570
14571 @itemize
14572 @item
14573 Rotate the input by PI/6 radians clockwise:
14574 @example
14575 rotate=PI/6
14576 @end example
14577
14578 @item
14579 Rotate the input by PI/6 radians counter-clockwise:
14580 @example
14581 rotate=-PI/6
14582 @end example
14583
14584 @item
14585 Rotate the input by 45 degrees clockwise:
14586 @example
14587 rotate=45*PI/180
14588 @end example
14589
14590 @item
14591 Apply a constant rotation with period T, starting from an angle of PI/3:
14592 @example
14593 rotate=PI/3+2*PI*t/T
14594 @end example
14595
14596 @item
14597 Make the input video rotation oscillating with a period of T
14598 seconds and an amplitude of A radians:
14599 @example
14600 rotate=A*sin(2*PI/T*t)
14601 @end example
14602
14603 @item
14604 Rotate the video, output size is chosen so that the whole rotating
14605 input video is always completely contained in the output:
14606 @example
14607 rotate='2*PI*t:ow=hypot(iw,ih):oh=ow'
14608 @end example
14609
14610 @item
14611 Rotate the video, reduce the output size so that no background is ever
14612 shown:
14613 @example
14614 rotate=2*PI*t:ow='min(iw,ih)/sqrt(2)':oh=ow:c=none
14615 @end example
14616 @end itemize
14617
14618 @subsection Commands
14619
14620 The filter supports the following commands:
14621
14622 @table @option
14623 @item a, angle
14624 Set the angle expression.
14625 The command accepts the same syntax of the corresponding option.
14626
14627 If the specified expression is not valid, it is kept at its current
14628 value.
14629 @end table
14630
14631 @section sab
14632
14633 Apply Shape Adaptive Blur.
14634
14635 The filter accepts the following options:
14636
14637 @table @option
14638 @item luma_radius, lr
14639 Set luma blur filter strength, must be a value in range 0.1-4.0, default
14640 value is 1.0. A greater value will result in a more blurred image, and
14641 in slower processing.
14642
14643 @item luma_pre_filter_radius, lpfr
14644 Set luma pre-filter radius, must be a value in the 0.1-2.0 range, default
14645 value is 1.0.
14646
14647 @item luma_strength, ls
14648 Set luma maximum difference between pixels to still be considered, must
14649 be a value in the 0.1-100.0 range, default value is 1.0.
14650
14651 @item chroma_radius, cr
14652 Set chroma blur filter strength, must be a value in range -0.9-4.0. A
14653 greater value will result in a more blurred image, and in slower
14654 processing.
14655
14656 @item chroma_pre_filter_radius, cpfr
14657 Set chroma pre-filter radius, must be a value in the -0.9-2.0 range.
14658
14659 @item chroma_strength, cs
14660 Set chroma maximum difference between pixels to still be considered,
14661 must be a value in the -0.9-100.0 range.
14662 @end table
14663
14664 Each chroma option value, if not explicitly specified, is set to the
14665 corresponding luma option value.
14666
14667 @anchor{scale}
14668 @section scale
14669
14670 Scale (resize) the input video, using the libswscale library.
14671
14672 The scale filter forces the output display aspect ratio to be the same
14673 of the input, by changing the output sample aspect ratio.
14674
14675 If the input image format is different from the format requested by
14676 the next filter, the scale filter will convert the input to the
14677 requested format.
14678
14679 @subsection Options
14680 The filter accepts the following options, or any of the options
14681 supported by the libswscale scaler.
14682
14683 See @ref{scaler_options,,the ffmpeg-scaler manual,ffmpeg-scaler} for
14684 the complete list of scaler options.
14685
14686 @table @option
14687 @item width, w
14688 @item height, h
14689 Set the output video dimension expression. Default value is the input
14690 dimension.
14691
14692 If the @var{width} or @var{w} value is 0, the input width is used for
14693 the output. If the @var{height} or @var{h} value is 0, the input height
14694 is used for the output.
14695
14696 If one and only one of the values is -n with n >= 1, the scale filter
14697 will use a value that maintains the aspect ratio of the input image,
14698 calculated from the other specified dimension. After that it will,
14699 however, make sure that the calculated dimension is divisible by n and
14700 adjust the value if necessary.
14701
14702 If both values are -n with n >= 1, the behavior will be identical to
14703 both values being set to 0 as previously detailed.
14704
14705 See below for the list of accepted constants for use in the dimension
14706 expression.
14707
14708 @item eval
14709 Specify when to evaluate @var{width} and @var{height} expression. It accepts the following values:
14710
14711 @table @samp
14712 @item init
14713 Only evaluate expressions once during the filter initialization or when a command is processed.
14714
14715 @item frame
14716 Evaluate expressions for each incoming frame.
14717
14718 @end table
14719
14720 Default value is @samp{init}.
14721
14722
14723 @item interl
14724 Set the interlacing mode. It accepts the following values:
14725
14726 @table @samp
14727 @item 1
14728 Force interlaced aware scaling.
14729
14730 @item 0
14731 Do not apply interlaced scaling.
14732
14733 @item -1
14734 Select interlaced aware scaling depending on whether the source frames
14735 are flagged as interlaced or not.
14736 @end table
14737
14738 Default value is @samp{0}.
14739
14740 @item flags
14741 Set libswscale scaling flags. See
14742 @ref{sws_flags,,the ffmpeg-scaler manual,ffmpeg-scaler} for the
14743 complete list of values. If not explicitly specified the filter applies
14744 the default flags.
14745
14746
14747 @item param0, param1
14748 Set libswscale input parameters for scaling algorithms that need them. See
14749 @ref{sws_params,,the ffmpeg-scaler manual,ffmpeg-scaler} for the
14750 complete documentation. If not explicitly specified the filter applies
14751 empty parameters.
14752
14753
14754
14755 @item size, s
14756 Set the video size. For the syntax of this option, check the
14757 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
14758
14759 @item in_color_matrix
14760 @item out_color_matrix
14761 Set in/output YCbCr color space type.
14762
14763 This allows the autodetected value to be overridden as well as allows forcing
14764 a specific value used for the output and encoder.
14765
14766 If not specified, the color space type depends on the pixel format.
14767
14768 Possible values:
14769
14770 @table @samp
14771 @item auto
14772 Choose automatically.
14773
14774 @item bt709
14775 Format conforming to International Telecommunication Union (ITU)
14776 Recommendation BT.709.
14777
14778 @item fcc
14779 Set color space conforming to the United States Federal Communications
14780 Commission (FCC) Code of Federal Regulations (CFR) Title 47 (2003) 73.682 (a).
14781
14782 @item bt601
14783 Set color space conforming to:
14784
14785 @itemize
14786 @item
14787 ITU Radiocommunication Sector (ITU-R) Recommendation BT.601
14788
14789 @item
14790 ITU-R Rec. BT.470-6 (1998) Systems B, B1, and G
14791
14792 @item
14793 Society of Motion Picture and Television Engineers (SMPTE) ST 170:2004
14794
14795 @end itemize
14796
14797 @item smpte240m
14798 Set color space conforming to SMPTE ST 240:1999.
14799 @end table
14800
14801 @item in_range
14802 @item out_range
14803 Set in/output YCbCr sample range.
14804
14805 This allows the autodetected value to be overridden as well as allows forcing
14806 a specific value used for the output and encoder. If not specified, the
14807 range depends on the pixel format. Possible values:
14808
14809 @table @samp
14810 @item auto/unknown
14811 Choose automatically.
14812
14813 @item jpeg/full/pc
14814 Set full range (0-255 in case of 8-bit luma).
14815
14816 @item mpeg/limited/tv
14817 Set "MPEG" range (16-235 in case of 8-bit luma).
14818 @end table
14819
14820 @item force_original_aspect_ratio
14821 Enable decreasing or increasing output video width or height if necessary to
14822 keep the original aspect ratio. Possible values:
14823
14824 @table @samp
14825 @item disable
14826 Scale the video as specified and disable this feature.
14827
14828 @item decrease
14829 The output video dimensions will automatically be decreased if needed.
14830
14831 @item increase
14832 The output video dimensions will automatically be increased if needed.
14833
14834 @end table
14835
14836 One useful instance of this option is that when you know a specific device's
14837 maximum allowed resolution, you can use this to limit the output video to
14838 that, while retaining the aspect ratio. For example, device A allows
14839 1280x720 playback, and your video is 1920x800. Using this option (set it to
14840 decrease) and specifying 1280x720 to the command line makes the output
14841 1280x533.
14842
14843 Please note that this is a different thing than specifying -1 for @option{w}
14844 or @option{h}, you still need to specify the output resolution for this option
14845 to work.
14846
14847 @end table
14848
14849 The values of the @option{w} and @option{h} options are expressions
14850 containing the following constants:
14851
14852 @table @var
14853 @item in_w
14854 @item in_h
14855 The input width and height
14856
14857 @item iw
14858 @item ih
14859 These are the same as @var{in_w} and @var{in_h}.
14860
14861 @item out_w
14862 @item out_h
14863 The output (scaled) width and height
14864
14865 @item ow
14866 @item oh
14867 These are the same as @var{out_w} and @var{out_h}
14868
14869 @item a
14870 The same as @var{iw} / @var{ih}
14871
14872 @item sar
14873 input sample aspect ratio
14874
14875 @item dar
14876 The input display aspect ratio. Calculated from @code{(iw / ih) * sar}.
14877
14878 @item hsub
14879 @item vsub
14880 horizontal and vertical input chroma subsample values. For example for the
14881 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
14882
14883 @item ohsub
14884 @item ovsub
14885 horizontal and vertical output chroma subsample values. For example for the
14886 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
14887 @end table
14888
14889 @subsection Examples
14890
14891 @itemize
14892 @item
14893 Scale the input video to a size of 200x100
14894 @example
14895 scale=w=200:h=100
14896 @end example
14897
14898 This is equivalent to:
14899 @example
14900 scale=200:100
14901 @end example
14902
14903 or:
14904 @example
14905 scale=200x100
14906 @end example
14907
14908 @item
14909 Specify a size abbreviation for the output size:
14910 @example
14911 scale=qcif
14912 @end example
14913
14914 which can also be written as:
14915 @example
14916 scale=size=qcif
14917 @end example
14918
14919 @item
14920 Scale the input to 2x:
14921 @example
14922 scale=w=2*iw:h=2*ih
14923 @end example
14924
14925 @item
14926 The above is the same as:
14927 @example
14928 scale=2*in_w:2*in_h
14929 @end example
14930
14931 @item
14932 Scale the input to 2x with forced interlaced scaling:
14933 @example
14934 scale=2*iw:2*ih:interl=1
14935 @end example
14936
14937 @item
14938 Scale the input to half size:
14939 @example
14940 scale=w=iw/2:h=ih/2
14941 @end example
14942
14943 @item
14944 Increase the width, and set the height to the same size:
14945 @example
14946 scale=3/2*iw:ow
14947 @end example
14948
14949 @item
14950 Seek Greek harmony:
14951 @example
14952 scale=iw:1/PHI*iw
14953 scale=ih*PHI:ih
14954 @end example
14955
14956 @item
14957 Increase the height, and set the width to 3/2 of the height:
14958 @example
14959 scale=w=3/2*oh:h=3/5*ih
14960 @end example
14961
14962 @item
14963 Increase the size, making the size a multiple of the chroma
14964 subsample values:
14965 @example
14966 scale="trunc(3/2*iw/hsub)*hsub:trunc(3/2*ih/vsub)*vsub"
14967 @end example
14968
14969 @item
14970 Increase the width to a maximum of 500 pixels,
14971 keeping the same aspect ratio as the input:
14972 @example
14973 scale=w='min(500\, iw*3/2):h=-1'
14974 @end example
14975
14976 @item
14977 Make pixels square by combining scale and setsar:
14978 @example
14979 scale='trunc(ih*dar):ih',setsar=1/1
14980 @end example
14981
14982 @item
14983 Make pixels square by combining scale and setsar,
14984 making sure the resulting resolution is even (required by some codecs):
14985 @example
14986 scale='trunc(ih*dar/2)*2:trunc(ih/2)*2',setsar=1/1
14987 @end example
14988 @end itemize
14989
14990 @subsection Commands
14991
14992 This filter supports the following commands:
14993 @table @option
14994 @item width, w
14995 @item height, h
14996 Set the output video dimension expression.
14997 The command accepts the same syntax of the corresponding option.
14998
14999 If the specified expression is not valid, it is kept at its current
15000 value.
15001 @end table
15002
15003 @section scale_npp
15004
15005 Use the NVIDIA Performance Primitives (libnpp) to perform scaling and/or pixel
15006 format conversion on CUDA video frames. Setting the output width and height
15007 works in the same way as for the @var{scale} filter.
15008
15009 The following additional options are accepted:
15010 @table @option
15011 @item format
15012 The pixel format of the output CUDA frames. If set to the string "same" (the
15013 default), the input format will be kept. Note that automatic format negotiation
15014 and conversion is not yet supported for hardware frames
15015
15016 @item interp_algo
15017 The interpolation algorithm used for resizing. One of the following:
15018 @table @option
15019 @item nn
15020 Nearest neighbour.
15021
15022 @item linear
15023 @item cubic
15024 @item cubic2p_bspline
15025 2-parameter cubic (B=1, C=0)
15026
15027 @item cubic2p_catmullrom
15028 2-parameter cubic (B=0, C=1/2)
15029
15030 @item cubic2p_b05c03
15031 2-parameter cubic (B=1/2, C=3/10)
15032
15033 @item super
15034 Supersampling
15035
15036 @item lanczos
15037 @end table
15038
15039 @end table
15040
15041 @section scale2ref
15042
15043 Scale (resize) the input video, based on a reference video.
15044
15045 See the scale filter for available options, scale2ref supports the same but
15046 uses the reference video instead of the main input as basis. scale2ref also
15047 supports the following additional constants for the @option{w} and
15048 @option{h} options:
15049
15050 @table @var
15051 @item main_w
15052 @item main_h
15053 The main input video's width and height
15054
15055 @item main_a
15056 The same as @var{main_w} / @var{main_h}
15057
15058 @item main_sar
15059 The main input video's sample aspect ratio
15060
15061 @item main_dar, mdar
15062 The main input video's display aspect ratio. Calculated from
15063 @code{(main_w / main_h) * main_sar}.
15064
15065 @item main_hsub
15066 @item main_vsub
15067 The main input video's horizontal and vertical chroma subsample values.
15068 For example for the pixel format "yuv422p" @var{hsub} is 2 and @var{vsub}
15069 is 1.
15070 @end table
15071
15072 @subsection Examples
15073
15074 @itemize
15075 @item
15076 Scale a subtitle stream (b) to match the main video (a) in size before overlaying
15077 @example
15078 'scale2ref[b][a];[a][b]overlay'
15079 @end example
15080 @end itemize
15081
15082 @anchor{selectivecolor}
15083 @section selectivecolor
15084
15085 Adjust cyan, magenta, yellow and black (CMYK) to certain ranges of colors (such
15086 as "reds", "yellows", "greens", "cyans", ...). The adjustment range is defined
15087 by the "purity" of the color (that is, how saturated it already is).
15088
15089 This filter is similar to the Adobe Photoshop Selective Color tool.
15090
15091 The filter accepts the following options:
15092
15093 @table @option
15094 @item correction_method
15095 Select color correction method.
15096
15097 Available values are:
15098 @table @samp
15099 @item absolute
15100 Specified adjustments are applied "as-is" (added/subtracted to original pixel
15101 component value).
15102 @item relative
15103 Specified adjustments are relative to the original component value.
15104 @end table
15105 Default is @code{absolute}.
15106 @item reds
15107 Adjustments for red pixels (pixels where the red component is the maximum)
15108 @item yellows
15109 Adjustments for yellow pixels (pixels where the blue component is the minimum)
15110 @item greens
15111 Adjustments for green pixels (pixels where the green component is the maximum)
15112 @item cyans
15113 Adjustments for cyan pixels (pixels where the red component is the minimum)
15114 @item blues
15115 Adjustments for blue pixels (pixels where the blue component is the maximum)
15116 @item magentas
15117 Adjustments for magenta pixels (pixels where the green component is the minimum)
15118 @item whites
15119 Adjustments for white pixels (pixels where all components are greater than 128)
15120 @item neutrals
15121 Adjustments for all pixels except pure black and pure white
15122 @item blacks
15123 Adjustments for black pixels (pixels where all components are lesser than 128)
15124 @item psfile
15125 Specify a Photoshop selective color file (@code{.asv}) to import the settings from.
15126 @end table
15127
15128 All the adjustment settings (@option{reds}, @option{yellows}, ...) accept up to
15129 4 space separated floating point adjustment values in the [-1,1] range,
15130 respectively to adjust the amount of cyan, magenta, yellow and black for the
15131 pixels of its range.
15132
15133 @subsection Examples
15134
15135 @itemize
15136 @item
15137 Increase cyan by 50% and reduce yellow by 33% in every green areas, and
15138 increase magenta by 27% in blue areas:
15139 @example
15140 selectivecolor=greens=.5 0 -.33 0:blues=0 .27
15141 @end example
15142
15143 @item
15144 Use a Photoshop selective color preset:
15145 @example
15146 selectivecolor=psfile=MySelectiveColorPresets/Misty.asv
15147 @end example
15148 @end itemize
15149
15150 @anchor{separatefields}
15151 @section separatefields
15152
15153 The @code{separatefields} takes a frame-based video input and splits
15154 each frame into its components fields, producing a new half height clip
15155 with twice the frame rate and twice the frame count.
15156
15157 This filter use field-dominance information in frame to decide which
15158 of each pair of fields to place first in the output.
15159 If it gets it wrong use @ref{setfield} filter before @code{separatefields} filter.
15160
15161 @section setdar, setsar
15162
15163 The @code{setdar} filter sets the Display Aspect Ratio for the filter
15164 output video.
15165
15166 This is done by changing the specified Sample (aka Pixel) Aspect
15167 Ratio, according to the following equation:
15168 @example
15169 @var{DAR} = @var{HORIZONTAL_RESOLUTION} / @var{VERTICAL_RESOLUTION} * @var{SAR}
15170 @end example
15171
15172 Keep in mind that the @code{setdar} filter does not modify the pixel
15173 dimensions of the video frame. Also, the display aspect ratio set by
15174 this filter may be changed by later filters in the filterchain,
15175 e.g. in case of scaling or if another "setdar" or a "setsar" filter is
15176 applied.
15177
15178 The @code{setsar} filter sets the Sample (aka Pixel) Aspect Ratio for
15179 the filter output video.
15180
15181 Note that as a consequence of the application of this filter, the
15182 output display aspect ratio will change according to the equation
15183 above.
15184
15185 Keep in mind that the sample aspect ratio set by the @code{setsar}
15186 filter may be changed by later filters in the filterchain, e.g. if
15187 another "setsar" or a "setdar" filter is applied.
15188
15189 It accepts the following parameters:
15190
15191 @table @option
15192 @item r, ratio, dar (@code{setdar} only), sar (@code{setsar} only)
15193 Set the aspect ratio used by the filter.
15194
15195 The parameter can be a floating point number string, an expression, or
15196 a string of the form @var{num}:@var{den}, where @var{num} and
15197 @var{den} are the numerator and denominator of the aspect ratio. If
15198 the parameter is not specified, it is assumed the value "0".
15199 In case the form "@var{num}:@var{den}" is used, the @code{:} character
15200 should be escaped.
15201
15202 @item max
15203 Set the maximum integer value to use for expressing numerator and
15204 denominator when reducing the expressed aspect ratio to a rational.
15205 Default value is @code{100}.
15206
15207 @end table
15208
15209 The parameter @var{sar} is an expression containing
15210 the following constants:
15211
15212 @table @option
15213 @item E, PI, PHI
15214 These are approximated values for the mathematical constants e
15215 (Euler's number), pi (Greek pi), and phi (the golden ratio).
15216
15217 @item w, h
15218 The input width and height.
15219
15220 @item a
15221 These are the same as @var{w} / @var{h}.
15222
15223 @item sar
15224 The input sample aspect ratio.
15225
15226 @item dar
15227 The input display aspect ratio. It is the same as
15228 (@var{w} / @var{h}) * @var{sar}.
15229
15230 @item hsub, vsub
15231 Horizontal and vertical chroma subsample values. For example, for the
15232 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
15233 @end table
15234
15235 @subsection Examples
15236
15237 @itemize
15238
15239 @item
15240 To change the display aspect ratio to 16:9, specify one of the following:
15241 @example
15242 setdar=dar=1.77777
15243 setdar=dar=16/9
15244 @end example
15245
15246 @item
15247 To change the sample aspect ratio to 10:11, specify:
15248 @example
15249 setsar=sar=10/11
15250 @end example
15251
15252 @item
15253 To set a display aspect ratio of 16:9, and specify a maximum integer value of
15254 1000 in the aspect ratio reduction, use the command:
15255 @example
15256 setdar=ratio=16/9:max=1000
15257 @end example
15258
15259 @end itemize
15260
15261 @anchor{setfield}
15262 @section setfield
15263
15264 Force field for the output video frame.
15265
15266 The @code{setfield} filter marks the interlace type field for the
15267 output frames. It does not change the input frame, but only sets the
15268 corresponding property, which affects how the frame is treated by
15269 following filters (e.g. @code{fieldorder} or @code{yadif}).
15270
15271 The filter accepts the following options:
15272
15273 @table @option
15274
15275 @item mode
15276 Available values are:
15277
15278 @table @samp
15279 @item auto
15280 Keep the same field property.
15281
15282 @item bff
15283 Mark the frame as bottom-field-first.
15284
15285 @item tff
15286 Mark the frame as top-field-first.
15287
15288 @item prog
15289 Mark the frame as progressive.
15290 @end table
15291 @end table
15292
15293 @anchor{setparams}
15294 @section setparams
15295
15296 Force frame parameter for the output video frame.
15297
15298 The @code{setparams} filter marks interlace and color range for the
15299 output frames. It does not change the input frame, but only sets the
15300 corresponding property, which affects how the frame is treated by
15301 filters/encoders.
15302
15303 @table @option
15304 @item field_mode
15305 Available values are:
15306
15307 @table @samp
15308 @item auto
15309 Keep the same field property (default).
15310
15311 @item bff
15312 Mark the frame as bottom-field-first.
15313
15314 @item tff
15315 Mark the frame as top-field-first.
15316
15317 @item prog
15318 Mark the frame as progressive.
15319 @end table
15320
15321 @item range
15322 Available values are:
15323
15324 @table @samp
15325 @item auto
15326 Keep the same color range property (default).
15327
15328 @item unspecified, unknown
15329 Mark the frame as unspecified color range.
15330
15331 @item limited, tv, mpeg
15332 Mark the frame as limited range.
15333
15334 @item full, pc, jpeg
15335 Mark the frame as full range.
15336 @end table
15337
15338 @item color_primaries
15339 Set the color primaries.
15340 Available values are:
15341
15342 @table @samp
15343 @item auto
15344 Keep the same color primaries property (default).
15345
15346 @item bt709
15347 @item unknown
15348 @item bt470m
15349 @item bt470bg
15350 @item smpte170m
15351 @item smpte240m
15352 @item film
15353 @item bt2020
15354 @item smpte428
15355 @item smpte431
15356 @item smpte432
15357 @item jedec-p22
15358 @end table
15359
15360 @item color_trc
15361 Set the color transfer.
15362 Available values are:
15363
15364 @table @samp
15365 @item auto
15366 Keep the same color trc property (default).
15367
15368 @item bt709
15369 @item unknown
15370 @item bt470m
15371 @item bt470bg
15372 @item smpte170m
15373 @item smpte240m
15374 @item linear
15375 @item log100
15376 @item log316
15377 @item iec61966-2-4
15378 @item bt1361e
15379 @item iec61966-2-1
15380 @item bt2020-10
15381 @item bt2020-12
15382 @item smpte2084
15383 @item smpte428
15384 @item arib-std-b67
15385 @end table
15386
15387 @item colorspace
15388 Set the colorspace.
15389 Available values are:
15390
15391 @table @samp
15392 @item auto
15393 Keep the same colorspace property (default).
15394
15395 @item gbr
15396 @item bt709
15397 @item unknown
15398 @item fcc
15399 @item bt470bg
15400 @item smpte170m
15401 @item smpte240m
15402 @item ycgco
15403 @item bt2020nc
15404 @item bt2020c
15405 @item smpte2085
15406 @item chroma-derived-nc
15407 @item chroma-derived-c
15408 @item ictcp
15409 @end table
15410 @end table
15411
15412 @section showinfo
15413
15414 Show a line containing various information for each input video frame.
15415 The input video is not modified.
15416
15417 This filter supports the following options:
15418
15419 @table @option
15420 @item checksum
15421 Calculate checksums of each plane. By default enabled.
15422 @end table
15423
15424 The shown line contains a sequence of key/value pairs of the form
15425 @var{key}:@var{value}.
15426
15427 The following values are shown in the output:
15428
15429 @table @option
15430 @item n
15431 The (sequential) number of the input frame, starting from 0.
15432
15433 @item pts
15434 The Presentation TimeStamp of the input frame, expressed as a number of
15435 time base units. The time base unit depends on the filter input pad.
15436
15437 @item pts_time
15438 The Presentation TimeStamp of the input frame, expressed as a number of
15439 seconds.
15440
15441 @item pos
15442 The position of the frame in the input stream, or -1 if this information is
15443 unavailable and/or meaningless (for example in case of synthetic video).
15444
15445 @item fmt
15446 The pixel format name.
15447
15448 @item sar
15449 The sample aspect ratio of the input frame, expressed in the form
15450 @var{num}/@var{den}.
15451
15452 @item s
15453 The size of the input frame. For the syntax of this option, check the
15454 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
15455
15456 @item i
15457 The type of interlaced mode ("P" for "progressive", "T" for top field first, "B"
15458 for bottom field first).
15459
15460 @item iskey
15461 This is 1 if the frame is a key frame, 0 otherwise.
15462
15463 @item type
15464 The picture type of the input frame ("I" for an I-frame, "P" for a
15465 P-frame, "B" for a B-frame, or "?" for an unknown type).
15466 Also refer to the documentation of the @code{AVPictureType} enum and of
15467 the @code{av_get_picture_type_char} function defined in
15468 @file{libavutil/avutil.h}.
15469
15470 @item checksum
15471 The Adler-32 checksum (printed in hexadecimal) of all the planes of the input frame.
15472
15473 @item plane_checksum
15474 The Adler-32 checksum (printed in hexadecimal) of each plane of the input frame,
15475 expressed in the form "[@var{c0} @var{c1} @var{c2} @var{c3}]".
15476 @end table
15477
15478 @section showpalette
15479
15480 Displays the 256 colors palette of each frame. This filter is only relevant for
15481 @var{pal8} pixel format frames.
15482
15483 It accepts the following option:
15484
15485 @table @option
15486 @item s
15487 Set the size of the box used to represent one palette color entry. Default is
15488 @code{30} (for a @code{30x30} pixel box).
15489 @end table
15490
15491 @section shuffleframes
15492
15493 Reorder and/or duplicate and/or drop video frames.
15494
15495 It accepts the following parameters:
15496
15497 @table @option
15498 @item mapping
15499 Set the destination indexes of input frames.
15500 This is space or '|' separated list of indexes that maps input frames to output
15501 frames. Number of indexes also sets maximal value that each index may have.
15502 '-1' index have special meaning and that is to drop frame.
15503 @end table
15504
15505 The first frame has the index 0. The default is to keep the input unchanged.
15506
15507 @subsection Examples
15508
15509 @itemize
15510 @item
15511 Swap second and third frame of every three frames of the input:
15512 @example
15513 ffmpeg -i INPUT -vf "shuffleframes=0 2 1" OUTPUT
15514 @end example
15515
15516 @item
15517 Swap 10th and 1st frame of every ten frames of the input:
15518 @example
15519 ffmpeg -i INPUT -vf "shuffleframes=9 1 2 3 4 5 6 7 8 0" OUTPUT
15520 @end example
15521 @end itemize
15522
15523 @section shuffleplanes
15524
15525 Reorder and/or duplicate video planes.
15526
15527 It accepts the following parameters:
15528
15529 @table @option
15530
15531 @item map0
15532 The index of the input plane to be used as the first output plane.
15533
15534 @item map1
15535 The index of the input plane to be used as the second output plane.
15536
15537 @item map2
15538 The index of the input plane to be used as the third output plane.
15539
15540 @item map3
15541 The index of the input plane to be used as the fourth output plane.
15542
15543 @end table
15544
15545 The first plane has the index 0. The default is to keep the input unchanged.
15546
15547 @subsection Examples
15548
15549 @itemize
15550 @item
15551 Swap the second and third planes of the input:
15552 @example
15553 ffmpeg -i INPUT -vf shuffleplanes=0:2:1:3 OUTPUT
15554 @end example
15555 @end itemize
15556
15557 @anchor{signalstats}
15558 @section signalstats
15559 Evaluate various visual metrics that assist in determining issues associated
15560 with the digitization of analog video media.
15561
15562 By default the filter will log these metadata values:
15563
15564 @table @option
15565 @item YMIN
15566 Display the minimal Y value contained within the input frame. Expressed in
15567 range of [0-255].
15568
15569 @item YLOW
15570 Display the Y value at the 10% percentile within the input frame. Expressed in
15571 range of [0-255].
15572
15573 @item YAVG
15574 Display the average Y value within the input frame. Expressed in range of
15575 [0-255].
15576
15577 @item YHIGH
15578 Display the Y value at the 90% percentile within the input frame. Expressed in
15579 range of [0-255].
15580
15581 @item YMAX
15582 Display the maximum Y value contained within the input frame. Expressed in
15583 range of [0-255].
15584
15585 @item UMIN
15586 Display the minimal U value contained within the input frame. Expressed in
15587 range of [0-255].
15588
15589 @item ULOW
15590 Display the U value at the 10% percentile within the input frame. Expressed in
15591 range of [0-255].
15592
15593 @item UAVG
15594 Display the average U value within the input frame. Expressed in range of
15595 [0-255].
15596
15597 @item UHIGH
15598 Display the U value at the 90% percentile within the input frame. Expressed in
15599 range of [0-255].
15600
15601 @item UMAX
15602 Display the maximum U value contained within the input frame. Expressed in
15603 range of [0-255].
15604
15605 @item VMIN
15606 Display the minimal V value contained within the input frame. Expressed in
15607 range of [0-255].
15608
15609 @item VLOW
15610 Display the V value at the 10% percentile within the input frame. Expressed in
15611 range of [0-255].
15612
15613 @item VAVG
15614 Display the average V value within the input frame. Expressed in range of
15615 [0-255].
15616
15617 @item VHIGH
15618 Display the V value at the 90% percentile within the input frame. Expressed in
15619 range of [0-255].
15620
15621 @item VMAX
15622 Display the maximum V value contained within the input frame. Expressed in
15623 range of [0-255].
15624
15625 @item SATMIN
15626 Display the minimal saturation value contained within the input frame.
15627 Expressed in range of [0-~181.02].
15628
15629 @item SATLOW
15630 Display the saturation value at the 10% percentile within the input frame.
15631 Expressed in range of [0-~181.02].
15632
15633 @item SATAVG
15634 Display the average saturation value within the input frame. Expressed in range
15635 of [0-~181.02].
15636
15637 @item SATHIGH
15638 Display the saturation value at the 90% percentile within the input frame.
15639 Expressed in range of [0-~181.02].
15640
15641 @item SATMAX
15642 Display the maximum saturation value contained within the input frame.
15643 Expressed in range of [0-~181.02].
15644
15645 @item HUEMED
15646 Display the median value for hue within the input frame. Expressed in range of
15647 [0-360].
15648
15649 @item HUEAVG
15650 Display the average value for hue within the input frame. Expressed in range of
15651 [0-360].
15652
15653 @item YDIF
15654 Display the average of sample value difference between all values of the Y
15655 plane in the current frame and corresponding values of the previous input frame.
15656 Expressed in range of [0-255].
15657
15658 @item UDIF
15659 Display the average of sample value difference between all values of the U
15660 plane in the current frame and corresponding values of the previous input frame.
15661 Expressed in range of [0-255].
15662
15663 @item VDIF
15664 Display the average of sample value difference between all values of the V
15665 plane in the current frame and corresponding values of the previous input frame.
15666 Expressed in range of [0-255].
15667
15668 @item YBITDEPTH
15669 Display bit depth of Y plane in current frame.
15670 Expressed in range of [0-16].
15671
15672 @item UBITDEPTH
15673 Display bit depth of U plane in current frame.
15674 Expressed in range of [0-16].
15675
15676 @item VBITDEPTH
15677 Display bit depth of V plane in current frame.
15678 Expressed in range of [0-16].
15679 @end table
15680
15681 The filter accepts the following options:
15682
15683 @table @option
15684 @item stat
15685 @item out
15686
15687 @option{stat} specify an additional form of image analysis.
15688 @option{out} output video with the specified type of pixel highlighted.
15689
15690 Both options accept the following values:
15691
15692 @table @samp
15693 @item tout
15694 Identify @var{temporal outliers} pixels. A @var{temporal outlier} is a pixel
15695 unlike the neighboring pixels of the same field. Examples of temporal outliers
15696 include the results of video dropouts, head clogs, or tape tracking issues.
15697
15698 @item vrep
15699 Identify @var{vertical line repetition}. Vertical line repetition includes
15700 similar rows of pixels within a frame. In born-digital video vertical line
15701 repetition is common, but this pattern is uncommon in video digitized from an
15702 analog source. When it occurs in video that results from the digitization of an
15703 analog source it can indicate concealment from a dropout compensator.
15704
15705 @item brng
15706 Identify pixels that fall outside of legal broadcast range.
15707 @end table
15708
15709 @item color, c
15710 Set the highlight color for the @option{out} option. The default color is
15711 yellow.
15712 @end table
15713
15714 @subsection Examples
15715
15716 @itemize
15717 @item
15718 Output data of various video metrics:
15719 @example
15720 ffprobe -f lavfi movie=example.mov,signalstats="stat=tout+vrep+brng" -show_frames
15721 @end example
15722
15723 @item
15724 Output specific data about the minimum and maximum values of the Y plane per frame:
15725 @example
15726 ffprobe -f lavfi movie=example.mov,signalstats -show_entries frame_tags=lavfi.signalstats.YMAX,lavfi.signalstats.YMIN
15727 @end example
15728
15729 @item
15730 Playback video while highlighting pixels that are outside of broadcast range in red.
15731 @example
15732 ffplay example.mov -vf signalstats="out=brng:color=red"
15733 @end example
15734
15735 @item
15736 Playback video with signalstats metadata drawn over the frame.
15737 @example
15738 ffplay example.mov -vf signalstats=stat=brng+vrep+tout,drawtext=fontfile=FreeSerif.ttf:textfile=signalstat_drawtext.txt
15739 @end example
15740
15741 The contents of signalstat_drawtext.txt used in the command are:
15742 @example
15743 time %@{pts:hms@}
15744 Y (%@{metadata:lavfi.signalstats.YMIN@}-%@{metadata:lavfi.signalstats.YMAX@})
15745 U (%@{metadata:lavfi.signalstats.UMIN@}-%@{metadata:lavfi.signalstats.UMAX@})
15746 V (%@{metadata:lavfi.signalstats.VMIN@}-%@{metadata:lavfi.signalstats.VMAX@})
15747 saturation maximum: %@{metadata:lavfi.signalstats.SATMAX@}
15748
15749 @end example
15750 @end itemize
15751
15752 @anchor{signature}
15753 @section signature
15754
15755 Calculates the MPEG-7 Video Signature. The filter can handle more than one
15756 input. In this case the matching between the inputs can be calculated additionally.
15757 The filter always passes through the first input. The signature of each stream can
15758 be written into a file.
15759
15760 It accepts the following options:
15761
15762 @table @option
15763 @item detectmode
15764 Enable or disable the matching process.
15765
15766 Available values are:
15767
15768 @table @samp
15769 @item off
15770 Disable the calculation of a matching (default).
15771 @item full
15772 Calculate the matching for the whole video and output whether the whole video
15773 matches or only parts.
15774 @item fast
15775 Calculate only until a matching is found or the video ends. Should be faster in
15776 some cases.
15777 @end table
15778
15779 @item nb_inputs
15780 Set the number of inputs. The option value must be a non negative integer.
15781 Default value is 1.
15782
15783 @item filename
15784 Set the path to which the output is written. If there is more than one input,
15785 the path must be a prototype, i.e. must contain %d or %0nd (where n is a positive
15786 integer), that will be replaced with the input number. If no filename is
15787 specified, no output will be written. This is the default.
15788
15789 @item format
15790 Choose the output format.
15791
15792 Available values are:
15793
15794 @table @samp
15795 @item binary
15796 Use the specified binary representation (default).
15797 @item xml
15798 Use the specified xml representation.
15799 @end table
15800
15801 @item th_d
15802 Set threshold to detect one word as similar. The option value must be an integer
15803 greater than zero. The default value is 9000.
15804
15805 @item th_dc
15806 Set threshold to detect all words as similar. The option value must be an integer
15807 greater than zero. The default value is 60000.
15808
15809 @item th_xh
15810 Set threshold to detect frames as similar. The option value must be an integer
15811 greater than zero. The default value is 116.
15812
15813 @item th_di
15814 Set the minimum length of a sequence in frames to recognize it as matching
15815 sequence. The option value must be a non negative integer value.
15816 The default value is 0.
15817
15818 @item th_it
15819 Set the minimum relation, that matching frames to all frames must have.
15820 The option value must be a double value between 0 and 1. The default value is 0.5.
15821 @end table
15822
15823 @subsection Examples
15824
15825 @itemize
15826 @item
15827 To calculate the signature of an input video and store it in signature.bin:
15828 @example
15829 ffmpeg -i input.mkv -vf signature=filename=signature.bin -map 0:v -f null -
15830 @end example
15831
15832 @item
15833 To detect whether two videos match and store the signatures in XML format in
15834 signature0.xml and signature1.xml:
15835 @example
15836 ffmpeg -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 -
15837 @end example
15838
15839 @end itemize
15840
15841 @anchor{smartblur}
15842 @section smartblur
15843
15844 Blur the input video without impacting the outlines.
15845
15846 It accepts the following options:
15847
15848 @table @option
15849 @item luma_radius, lr
15850 Set the luma radius. The option value must be a float number in
15851 the range [0.1,5.0] that specifies the variance of the gaussian filter
15852 used to blur the image (slower if larger). Default value is 1.0.
15853
15854 @item luma_strength, ls
15855 Set the luma strength. The option value must be a float number
15856 in the range [-1.0,1.0] that configures the blurring. A value included
15857 in [0.0,1.0] will blur the image whereas a value included in
15858 [-1.0,0.0] will sharpen the image. Default value is 1.0.
15859
15860 @item luma_threshold, lt
15861 Set the luma threshold used as a coefficient to determine
15862 whether a pixel should be blurred or not. The option value must be an
15863 integer in the range [-30,30]. A value of 0 will filter all the image,
15864 a value included in [0,30] will filter flat areas and a value included
15865 in [-30,0] will filter edges. Default value is 0.
15866
15867 @item chroma_radius, cr
15868 Set the chroma radius. The option value must be a float number in
15869 the range [0.1,5.0] that specifies the variance of the gaussian filter
15870 used to blur the image (slower if larger). Default value is @option{luma_radius}.
15871
15872 @item chroma_strength, cs
15873 Set the chroma strength. The option value must be a float number
15874 in the range [-1.0,1.0] that configures the blurring. A value included
15875 in [0.0,1.0] will blur the image whereas a value included in
15876 [-1.0,0.0] will sharpen the image. Default value is @option{luma_strength}.
15877
15878 @item chroma_threshold, ct
15879 Set the chroma threshold used as a coefficient to determine
15880 whether a pixel should be blurred or not. The option value must be an
15881 integer in the range [-30,30]. A value of 0 will filter all the image,
15882 a value included in [0,30] will filter flat areas and a value included
15883 in [-30,0] will filter edges. Default value is @option{luma_threshold}.
15884 @end table
15885
15886 If a chroma option is not explicitly set, the corresponding luma value
15887 is set.
15888
15889 @section ssim
15890
15891 Obtain the SSIM (Structural SImilarity Metric) between two input videos.
15892
15893 This filter takes in input two input videos, the first input is
15894 considered the "main" source and is passed unchanged to the
15895 output. The second input is used as a "reference" video for computing
15896 the SSIM.
15897
15898 Both video inputs must have the same resolution and pixel format for
15899 this filter to work correctly. Also it assumes that both inputs
15900 have the same number of frames, which are compared one by one.
15901
15902 The filter stores the calculated SSIM of each frame.
15903
15904 The description of the accepted parameters follows.
15905
15906 @table @option
15907 @item stats_file, f
15908 If specified the filter will use the named file to save the SSIM of
15909 each individual frame. When filename equals "-" the data is sent to
15910 standard output.
15911 @end table
15912
15913 The file printed if @var{stats_file} is selected, contains a sequence of
15914 key/value pairs of the form @var{key}:@var{value} for each compared
15915 couple of frames.
15916
15917 A description of each shown parameter follows:
15918
15919 @table @option
15920 @item n
15921 sequential number of the input frame, starting from 1
15922
15923 @item Y, U, V, R, G, B
15924 SSIM of the compared frames for the component specified by the suffix.
15925
15926 @item All
15927 SSIM of the compared frames for the whole frame.
15928
15929 @item dB
15930 Same as above but in dB representation.
15931 @end table
15932
15933 This filter also supports the @ref{framesync} options.
15934
15935 For example:
15936 @example
15937 movie=ref_movie.mpg, setpts=PTS-STARTPTS [main];
15938 [main][ref] ssim="stats_file=stats.log" [out]
15939 @end example
15940
15941 On this example the input file being processed is compared with the
15942 reference file @file{ref_movie.mpg}. The SSIM of each individual frame
15943 is stored in @file{stats.log}.
15944
15945 Another example with both psnr and ssim at same time:
15946 @example
15947 ffmpeg -i main.mpg -i ref.mpg -lavfi  "ssim;[0:v][1:v]psnr" -f null -
15948 @end example
15949
15950 @section stereo3d
15951
15952 Convert between different stereoscopic image formats.
15953
15954 The filters accept the following options:
15955
15956 @table @option
15957 @item in
15958 Set stereoscopic image format of input.
15959
15960 Available values for input image formats are:
15961 @table @samp
15962 @item sbsl
15963 side by side parallel (left eye left, right eye right)
15964
15965 @item sbsr
15966 side by side crosseye (right eye left, left eye right)
15967
15968 @item sbs2l
15969 side by side parallel with half width resolution
15970 (left eye left, right eye right)
15971
15972 @item sbs2r
15973 side by side crosseye with half width resolution
15974 (right eye left, left eye right)
15975
15976 @item abl
15977 above-below (left eye above, right eye below)
15978
15979 @item abr
15980 above-below (right eye above, left eye below)
15981
15982 @item ab2l
15983 above-below with half height resolution
15984 (left eye above, right eye below)
15985
15986 @item ab2r
15987 above-below with half height resolution
15988 (right eye above, left eye below)
15989
15990 @item al
15991 alternating frames (left eye first, right eye second)
15992
15993 @item ar
15994 alternating frames (right eye first, left eye second)
15995
15996 @item irl
15997 interleaved rows (left eye has top row, right eye starts on next row)
15998
15999 @item irr
16000 interleaved rows (right eye has top row, left eye starts on next row)
16001
16002 @item icl
16003 interleaved columns, left eye first
16004
16005 @item icr
16006 interleaved columns, right eye first
16007
16008 Default value is @samp{sbsl}.
16009 @end table
16010
16011 @item out
16012 Set stereoscopic image format of output.
16013
16014 @table @samp
16015 @item sbsl
16016 side by side parallel (left eye left, right eye right)
16017
16018 @item sbsr
16019 side by side crosseye (right eye left, left eye right)
16020
16021 @item sbs2l
16022 side by side parallel with half width resolution
16023 (left eye left, right eye right)
16024
16025 @item sbs2r
16026 side by side crosseye with half width resolution
16027 (right eye left, left eye right)
16028
16029 @item abl
16030 above-below (left eye above, right eye below)
16031
16032 @item abr
16033 above-below (right eye above, left eye below)
16034
16035 @item ab2l
16036 above-below with half height resolution
16037 (left eye above, right eye below)
16038
16039 @item ab2r
16040 above-below with half height resolution
16041 (right eye above, left eye below)
16042
16043 @item al
16044 alternating frames (left eye first, right eye second)
16045
16046 @item ar
16047 alternating frames (right eye first, left eye second)
16048
16049 @item irl
16050 interleaved rows (left eye has top row, right eye starts on next row)
16051
16052 @item irr
16053 interleaved rows (right eye has top row, left eye starts on next row)
16054
16055 @item arbg
16056 anaglyph red/blue gray
16057 (red filter on left eye, blue filter on right eye)
16058
16059 @item argg
16060 anaglyph red/green gray
16061 (red filter on left eye, green filter on right eye)
16062
16063 @item arcg
16064 anaglyph red/cyan gray
16065 (red filter on left eye, cyan filter on right eye)
16066
16067 @item arch
16068 anaglyph red/cyan half colored
16069 (red filter on left eye, cyan filter on right eye)
16070
16071 @item arcc
16072 anaglyph red/cyan color
16073 (red filter on left eye, cyan filter on right eye)
16074
16075 @item arcd
16076 anaglyph red/cyan color optimized with the least squares projection of dubois
16077 (red filter on left eye, cyan filter on right eye)
16078
16079 @item agmg
16080 anaglyph green/magenta gray
16081 (green filter on left eye, magenta filter on right eye)
16082
16083 @item agmh
16084 anaglyph green/magenta half colored
16085 (green filter on left eye, magenta filter on right eye)
16086
16087 @item agmc
16088 anaglyph green/magenta colored
16089 (green filter on left eye, magenta filter on right eye)
16090
16091 @item agmd
16092 anaglyph green/magenta color optimized with the least squares projection of dubois
16093 (green filter on left eye, magenta filter on right eye)
16094
16095 @item aybg
16096 anaglyph yellow/blue gray
16097 (yellow filter on left eye, blue filter on right eye)
16098
16099 @item aybh
16100 anaglyph yellow/blue half colored
16101 (yellow filter on left eye, blue filter on right eye)
16102
16103 @item aybc
16104 anaglyph yellow/blue colored
16105 (yellow filter on left eye, blue filter on right eye)
16106
16107 @item aybd
16108 anaglyph yellow/blue color optimized with the least squares projection of dubois
16109 (yellow filter on left eye, blue filter on right eye)
16110
16111 @item ml
16112 mono output (left eye only)
16113
16114 @item mr
16115 mono output (right eye only)
16116
16117 @item chl
16118 checkerboard, left eye first
16119
16120 @item chr
16121 checkerboard, right eye first
16122
16123 @item icl
16124 interleaved columns, left eye first
16125
16126 @item icr
16127 interleaved columns, right eye first
16128
16129 @item hdmi
16130 HDMI frame pack
16131 @end table
16132
16133 Default value is @samp{arcd}.
16134 @end table
16135
16136 @subsection Examples
16137
16138 @itemize
16139 @item
16140 Convert input video from side by side parallel to anaglyph yellow/blue dubois:
16141 @example
16142 stereo3d=sbsl:aybd
16143 @end example
16144
16145 @item
16146 Convert input video from above below (left eye above, right eye below) to side by side crosseye.
16147 @example
16148 stereo3d=abl:sbsr
16149 @end example
16150 @end itemize
16151
16152 @section streamselect, astreamselect
16153 Select video or audio streams.
16154
16155 The filter accepts the following options:
16156
16157 @table @option
16158 @item inputs
16159 Set number of inputs. Default is 2.
16160
16161 @item map
16162 Set input indexes to remap to outputs.
16163 @end table
16164
16165 @subsection Commands
16166
16167 The @code{streamselect} and @code{astreamselect} filter supports the following
16168 commands:
16169
16170 @table @option
16171 @item map
16172 Set input indexes to remap to outputs.
16173 @end table
16174
16175 @subsection Examples
16176
16177 @itemize
16178 @item
16179 Select first 5 seconds 1st stream and rest of time 2nd stream:
16180 @example
16181 sendcmd='5.0 streamselect map 1',streamselect=inputs=2:map=0
16182 @end example
16183
16184 @item
16185 Same as above, but for audio:
16186 @example
16187 asendcmd='5.0 astreamselect map 1',astreamselect=inputs=2:map=0
16188 @end example
16189 @end itemize
16190
16191 @section sobel
16192 Apply sobel operator to input video stream.
16193
16194 The filter accepts the following option:
16195
16196 @table @option
16197 @item planes
16198 Set which planes will be processed, unprocessed planes will be copied.
16199 By default value 0xf, all planes will be processed.
16200
16201 @item scale
16202 Set value which will be multiplied with filtered result.
16203
16204 @item delta
16205 Set value which will be added to filtered result.
16206 @end table
16207
16208 @anchor{spp}
16209 @section spp
16210
16211 Apply a simple postprocessing filter that compresses and decompresses the image
16212 at several (or - in the case of @option{quality} level @code{6} - all) shifts
16213 and average the results.
16214
16215 The filter accepts the following options:
16216
16217 @table @option
16218 @item quality
16219 Set quality. This option defines the number of levels for averaging. It accepts
16220 an integer in the range 0-6. If set to @code{0}, the filter will have no
16221 effect. A value of @code{6} means the higher quality. For each increment of
16222 that value the speed drops by a factor of approximately 2.  Default value is
16223 @code{3}.
16224
16225 @item qp
16226 Force a constant quantization parameter. If not set, the filter will use the QP
16227 from the video stream (if available).
16228
16229 @item mode
16230 Set thresholding mode. Available modes are:
16231
16232 @table @samp
16233 @item hard
16234 Set hard thresholding (default).
16235 @item soft
16236 Set soft thresholding (better de-ringing effect, but likely blurrier).
16237 @end table
16238
16239 @item use_bframe_qp
16240 Enable the use of the QP from the B-Frames if set to @code{1}. Using this
16241 option may cause flicker since the B-Frames have often larger QP. Default is
16242 @code{0} (not enabled).
16243 @end table
16244
16245 @section sr
16246
16247 Scale the input by applying one of the super-resolution methods based on
16248 convolutional neural networks. Supported models:
16249
16250 @itemize
16251 @item
16252 Super-Resolution Convolutional Neural Network model (SRCNN).
16253 See @url{https://arxiv.org/abs/1501.00092}.
16254
16255 @item
16256 Efficient Sub-Pixel Convolutional Neural Network model (ESPCN).
16257 See @url{https://arxiv.org/abs/1609.05158}.
16258 @end itemize
16259
16260 Training scripts as well as scripts for model generation are provided in
16261 the repository at @url{https://github.com/HighVoltageRocknRoll/sr.git}.
16262
16263 The filter accepts the following options:
16264
16265 @table @option
16266 @item dnn_backend
16267 Specify which DNN backend to use for model loading and execution. This option accepts
16268 the following values:
16269
16270 @table @samp
16271 @item native
16272 Native implementation of DNN loading and execution.
16273
16274 @item tensorflow
16275 TensorFlow backend. To enable this backend you
16276 need to install the TensorFlow for C library (see
16277 @url{https://www.tensorflow.org/install/install_c}) and configure FFmpeg with
16278 @code{--enable-libtensorflow}
16279 @end table
16280
16281 Default value is @samp{native}.
16282
16283 @item model
16284 Set path to model file specifying network architecture and its parameters.
16285 Note that different backends use different file formats. TensorFlow backend
16286 can load files for both formats, while native backend can load files for only
16287 its format.
16288
16289 @item scale_factor
16290 Set scale factor for SRCNN model. Allowed values are @code{2}, @code{3} and @code{4}.
16291 Default value is @code{2}. Scale factor is necessary for SRCNN model, because it accepts
16292 input upscaled using bicubic upscaling with proper scale factor.
16293 @end table
16294
16295 @anchor{subtitles}
16296 @section subtitles
16297
16298 Draw subtitles on top of input video using the libass library.
16299
16300 To enable compilation of this filter you need to configure FFmpeg with
16301 @code{--enable-libass}. This filter also requires a build with libavcodec and
16302 libavformat to convert the passed subtitles file to ASS (Advanced Substation
16303 Alpha) subtitles format.
16304
16305 The filter accepts the following options:
16306
16307 @table @option
16308 @item filename, f
16309 Set the filename of the subtitle file to read. It must be specified.
16310
16311 @item original_size
16312 Specify the size of the original video, the video for which the ASS file
16313 was composed. For the syntax of this option, check the
16314 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
16315 Due to a misdesign in ASS aspect ratio arithmetic, this is necessary to
16316 correctly scale the fonts if the aspect ratio has been changed.
16317
16318 @item fontsdir
16319 Set a directory path containing fonts that can be used by the filter.
16320 These fonts will be used in addition to whatever the font provider uses.
16321
16322 @item alpha
16323 Process alpha channel, by default alpha channel is untouched.
16324
16325 @item charenc
16326 Set subtitles input character encoding. @code{subtitles} filter only. Only
16327 useful if not UTF-8.
16328
16329 @item stream_index, si
16330 Set subtitles stream index. @code{subtitles} filter only.
16331
16332 @item force_style
16333 Override default style or script info parameters of the subtitles. It accepts a
16334 string containing ASS style format @code{KEY=VALUE} couples separated by ",".
16335 @end table
16336
16337 If the first key is not specified, it is assumed that the first value
16338 specifies the @option{filename}.
16339
16340 For example, to render the file @file{sub.srt} on top of the input
16341 video, use the command:
16342 @example
16343 subtitles=sub.srt
16344 @end example
16345
16346 which is equivalent to:
16347 @example
16348 subtitles=filename=sub.srt
16349 @end example
16350
16351 To render the default subtitles stream from file @file{video.mkv}, use:
16352 @example
16353 subtitles=video.mkv
16354 @end example
16355
16356 To render the second subtitles stream from that file, use:
16357 @example
16358 subtitles=video.mkv:si=1
16359 @end example
16360
16361 To make the subtitles stream from @file{sub.srt} appear in 80% transparent blue
16362 @code{DejaVu Serif}, use:
16363 @example
16364 subtitles=sub.srt:force_style='FontName=DejaVu Serif,PrimaryColour=&HCCFF0000'
16365 @end example
16366
16367 @section super2xsai
16368
16369 Scale the input by 2x and smooth using the Super2xSaI (Scale and
16370 Interpolate) pixel art scaling algorithm.
16371
16372 Useful for enlarging pixel art images without reducing sharpness.
16373
16374 @section swaprect
16375
16376 Swap two rectangular objects in video.
16377
16378 This filter accepts the following options:
16379
16380 @table @option
16381 @item w
16382 Set object width.
16383
16384 @item h
16385 Set object height.
16386
16387 @item x1
16388 Set 1st rect x coordinate.
16389
16390 @item y1
16391 Set 1st rect y coordinate.
16392
16393 @item x2
16394 Set 2nd rect x coordinate.
16395
16396 @item y2
16397 Set 2nd rect y coordinate.
16398
16399 All expressions are evaluated once for each frame.
16400 @end table
16401
16402 The all options are expressions containing the following constants:
16403
16404 @table @option
16405 @item w
16406 @item h
16407 The input width and height.
16408
16409 @item a
16410 same as @var{w} / @var{h}
16411
16412 @item sar
16413 input sample aspect ratio
16414
16415 @item dar
16416 input display aspect ratio, it is the same as (@var{w} / @var{h}) * @var{sar}
16417
16418 @item n
16419 The number of the input frame, starting from 0.
16420
16421 @item t
16422 The timestamp expressed in seconds. It's NAN if the input timestamp is unknown.
16423
16424 @item pos
16425 the position in the file of the input frame, NAN if unknown
16426 @end table
16427
16428 @section swapuv
16429 Swap U & V plane.
16430
16431 @section telecine
16432
16433 Apply telecine process to the video.
16434
16435 This filter accepts the following options:
16436
16437 @table @option
16438 @item first_field
16439 @table @samp
16440 @item top, t
16441 top field first
16442 @item bottom, b
16443 bottom field first
16444 The default value is @code{top}.
16445 @end table
16446
16447 @item pattern
16448 A string of numbers representing the pulldown pattern you wish to apply.
16449 The default value is @code{23}.
16450 @end table
16451
16452 @example
16453 Some typical patterns:
16454
16455 NTSC output (30i):
16456 27.5p: 32222
16457 24p: 23 (classic)
16458 24p: 2332 (preferred)
16459 20p: 33
16460 18p: 334
16461 16p: 3444
16462
16463 PAL output (25i):
16464 27.5p: 12222
16465 24p: 222222222223 ("Euro pulldown")
16466 16.67p: 33
16467 16p: 33333334
16468 @end example
16469
16470 @section threshold
16471
16472 Apply threshold effect to video stream.
16473
16474 This filter needs four video streams to perform thresholding.
16475 First stream is stream we are filtering.
16476 Second stream is holding threshold values, third stream is holding min values,
16477 and last, fourth stream is holding max values.
16478
16479 The filter accepts the following option:
16480
16481 @table @option
16482 @item planes
16483 Set which planes will be processed, unprocessed planes will be copied.
16484 By default value 0xf, all planes will be processed.
16485 @end table
16486
16487 For example if first stream pixel's component value is less then threshold value
16488 of pixel component from 2nd threshold stream, third stream value will picked,
16489 otherwise fourth stream pixel component value will be picked.
16490
16491 Using color source filter one can perform various types of thresholding:
16492
16493 @subsection Examples
16494
16495 @itemize
16496 @item
16497 Binary threshold, using gray color as threshold:
16498 @example
16499 ffmpeg -i 320x240.avi -f lavfi -i color=gray -f lavfi -i color=black -f lavfi -i color=white -lavfi threshold output.avi
16500 @end example
16501
16502 @item
16503 Inverted binary threshold, using gray color as threshold:
16504 @example
16505 ffmpeg -i 320x240.avi -f lavfi -i color=gray -f lavfi -i color=white -f lavfi -i color=black -lavfi threshold output.avi
16506 @end example
16507
16508 @item
16509 Truncate binary threshold, using gray color as threshold:
16510 @example
16511 ffmpeg -i 320x240.avi -f lavfi -i color=gray -i 320x240.avi -f lavfi -i color=gray -lavfi threshold output.avi
16512 @end example
16513
16514 @item
16515 Threshold to zero, using gray color as threshold:
16516 @example
16517 ffmpeg -i 320x240.avi -f lavfi -i color=gray -f lavfi -i color=white -i 320x240.avi -lavfi threshold output.avi
16518 @end example
16519
16520 @item
16521 Inverted threshold to zero, using gray color as threshold:
16522 @example
16523 ffmpeg -i 320x240.avi -f lavfi -i color=gray -i 320x240.avi -f lavfi -i color=white -lavfi threshold output.avi
16524 @end example
16525 @end itemize
16526
16527 @section thumbnail
16528 Select the most representative frame in a given sequence of consecutive frames.
16529
16530 The filter accepts the following options:
16531
16532 @table @option
16533 @item n
16534 Set the frames batch size to analyze; in a set of @var{n} frames, the filter
16535 will pick one of them, and then handle the next batch of @var{n} frames until
16536 the end. Default is @code{100}.
16537 @end table
16538
16539 Since the filter keeps track of the whole frames sequence, a bigger @var{n}
16540 value will result in a higher memory usage, so a high value is not recommended.
16541
16542 @subsection Examples
16543
16544 @itemize
16545 @item
16546 Extract one picture each 50 frames:
16547 @example
16548 thumbnail=50
16549 @end example
16550
16551 @item
16552 Complete example of a thumbnail creation with @command{ffmpeg}:
16553 @example
16554 ffmpeg -i in.avi -vf thumbnail,scale=300:200 -frames:v 1 out.png
16555 @end example
16556 @end itemize
16557
16558 @section tile
16559
16560 Tile several successive frames together.
16561
16562 The filter accepts the following options:
16563
16564 @table @option
16565
16566 @item layout
16567 Set the grid size (i.e. the number of lines and columns). For the syntax of
16568 this option, check the
16569 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
16570
16571 @item nb_frames
16572 Set the maximum number of frames to render in the given area. It must be less
16573 than or equal to @var{w}x@var{h}. The default value is @code{0}, meaning all
16574 the area will be used.
16575
16576 @item margin
16577 Set the outer border margin in pixels.
16578
16579 @item padding
16580 Set the inner border thickness (i.e. the number of pixels between frames). For
16581 more advanced padding options (such as having different values for the edges),
16582 refer to the pad video filter.
16583
16584 @item color
16585 Specify the color of the unused area. For the syntax of this option, check the
16586 @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}.
16587 The default value of @var{color} is "black".
16588
16589 @item overlap
16590 Set the number of frames to overlap when tiling several successive frames together.
16591 The value must be between @code{0} and @var{nb_frames - 1}.
16592
16593 @item init_padding
16594 Set the number of frames to initially be empty before displaying first output frame.
16595 This controls how soon will one get first output frame.
16596 The value must be between @code{0} and @var{nb_frames - 1}.
16597 @end table
16598
16599 @subsection Examples
16600
16601 @itemize
16602 @item
16603 Produce 8x8 PNG tiles of all keyframes (@option{-skip_frame nokey}) in a movie:
16604 @example
16605 ffmpeg -skip_frame nokey -i file.avi -vf 'scale=128:72,tile=8x8' -an -vsync 0 keyframes%03d.png
16606 @end example
16607 The @option{-vsync 0} is necessary to prevent @command{ffmpeg} from
16608 duplicating each output frame to accommodate the originally detected frame
16609 rate.
16610
16611 @item
16612 Display @code{5} pictures in an area of @code{3x2} frames,
16613 with @code{7} pixels between them, and @code{2} pixels of initial margin, using
16614 mixed flat and named options:
16615 @example
16616 tile=3x2:nb_frames=5:padding=7:margin=2
16617 @end example
16618 @end itemize
16619
16620 @section tinterlace
16621
16622 Perform various types of temporal field interlacing.
16623
16624 Frames are counted starting from 1, so the first input frame is
16625 considered odd.
16626
16627 The filter accepts the following options:
16628
16629 @table @option
16630
16631 @item mode
16632 Specify the mode of the interlacing. This option can also be specified
16633 as a value alone. See below for a list of values for this option.
16634
16635 Available values are:
16636
16637 @table @samp
16638 @item merge, 0
16639 Move odd frames into the upper field, even into the lower field,
16640 generating a double height frame at half frame rate.
16641 @example
16642  ------> time
16643 Input:
16644 Frame 1         Frame 2         Frame 3         Frame 4
16645
16646 11111           22222           33333           44444
16647 11111           22222           33333           44444
16648 11111           22222           33333           44444
16649 11111           22222           33333           44444
16650
16651 Output:
16652 11111                           33333
16653 22222                           44444
16654 11111                           33333
16655 22222                           44444
16656 11111                           33333
16657 22222                           44444
16658 11111                           33333
16659 22222                           44444
16660 @end example
16661
16662 @item drop_even, 1
16663 Only output odd frames, even frames are dropped, generating a frame with
16664 unchanged height at half frame rate.
16665
16666 @example
16667  ------> time
16668 Input:
16669 Frame 1         Frame 2         Frame 3         Frame 4
16670
16671 11111           22222           33333           44444
16672 11111           22222           33333           44444
16673 11111           22222           33333           44444
16674 11111           22222           33333           44444
16675
16676 Output:
16677 11111                           33333
16678 11111                           33333
16679 11111                           33333
16680 11111                           33333
16681 @end example
16682
16683 @item drop_odd, 2
16684 Only output even frames, odd frames are dropped, generating a frame with
16685 unchanged height at half frame rate.
16686
16687 @example
16688  ------> time
16689 Input:
16690 Frame 1         Frame 2         Frame 3         Frame 4
16691
16692 11111           22222           33333           44444
16693 11111           22222           33333           44444
16694 11111           22222           33333           44444
16695 11111           22222           33333           44444
16696
16697 Output:
16698                 22222                           44444
16699                 22222                           44444
16700                 22222                           44444
16701                 22222                           44444
16702 @end example
16703
16704 @item pad, 3
16705 Expand each frame to full height, but pad alternate lines with black,
16706 generating a frame with double height at the same input frame rate.
16707
16708 @example
16709  ------> time
16710 Input:
16711 Frame 1         Frame 2         Frame 3         Frame 4
16712
16713 11111           22222           33333           44444
16714 11111           22222           33333           44444
16715 11111           22222           33333           44444
16716 11111           22222           33333           44444
16717
16718 Output:
16719 11111           .....           33333           .....
16720 .....           22222           .....           44444
16721 11111           .....           33333           .....
16722 .....           22222           .....           44444
16723 11111           .....           33333           .....
16724 .....           22222           .....           44444
16725 11111           .....           33333           .....
16726 .....           22222           .....           44444
16727 @end example
16728
16729
16730 @item interleave_top, 4
16731 Interleave the upper field from odd frames with the lower field from
16732 even frames, generating a frame with unchanged height at half frame rate.
16733
16734 @example
16735  ------> time
16736 Input:
16737 Frame 1         Frame 2         Frame 3         Frame 4
16738
16739 11111<-         22222           33333<-         44444
16740 11111           22222<-         33333           44444<-
16741 11111<-         22222           33333<-         44444
16742 11111           22222<-         33333           44444<-
16743
16744 Output:
16745 11111                           33333
16746 22222                           44444
16747 11111                           33333
16748 22222                           44444
16749 @end example
16750
16751
16752 @item interleave_bottom, 5
16753 Interleave the lower field from odd frames with the upper field from
16754 even frames, generating a frame with unchanged height at half frame rate.
16755
16756 @example
16757  ------> time
16758 Input:
16759 Frame 1         Frame 2         Frame 3         Frame 4
16760
16761 11111           22222<-         33333           44444<-
16762 11111<-         22222           33333<-         44444
16763 11111           22222<-         33333           44444<-
16764 11111<-         22222           33333<-         44444
16765
16766 Output:
16767 22222                           44444
16768 11111                           33333
16769 22222                           44444
16770 11111                           33333
16771 @end example
16772
16773
16774 @item interlacex2, 6
16775 Double frame rate with unchanged height. Frames are inserted each
16776 containing the second temporal field from the previous input frame and
16777 the first temporal field from the next input frame. This mode relies on
16778 the top_field_first flag. Useful for interlaced video displays with no
16779 field synchronisation.
16780
16781 @example
16782  ------> time
16783 Input:
16784 Frame 1         Frame 2         Frame 3         Frame 4
16785
16786 11111           22222           33333           44444
16787  11111           22222           33333           44444
16788 11111           22222           33333           44444
16789  11111           22222           33333           44444
16790
16791 Output:
16792 11111   22222   22222   33333   33333   44444   44444
16793  11111   11111   22222   22222   33333   33333   44444
16794 11111   22222   22222   33333   33333   44444   44444
16795  11111   11111   22222   22222   33333   33333   44444
16796 @end example
16797
16798
16799 @item mergex2, 7
16800 Move odd frames into the upper field, even into the lower field,
16801 generating a double height frame at same frame rate.
16802
16803 @example
16804  ------> time
16805 Input:
16806 Frame 1         Frame 2         Frame 3         Frame 4
16807
16808 11111           22222           33333           44444
16809 11111           22222           33333           44444
16810 11111           22222           33333           44444
16811 11111           22222           33333           44444
16812
16813 Output:
16814 11111           33333           33333           55555
16815 22222           22222           44444           44444
16816 11111           33333           33333           55555
16817 22222           22222           44444           44444
16818 11111           33333           33333           55555
16819 22222           22222           44444           44444
16820 11111           33333           33333           55555
16821 22222           22222           44444           44444
16822 @end example
16823
16824 @end table
16825
16826 Numeric values are deprecated but are accepted for backward
16827 compatibility reasons.
16828
16829 Default mode is @code{merge}.
16830
16831 @item flags
16832 Specify flags influencing the filter process.
16833
16834 Available value for @var{flags} is:
16835
16836 @table @option
16837 @item low_pass_filter, vlfp
16838 Enable linear vertical low-pass filtering in the filter.
16839 Vertical low-pass filtering is required when creating an interlaced
16840 destination from a progressive source which contains high-frequency
16841 vertical detail. Filtering will reduce interlace 'twitter' and Moire
16842 patterning.
16843
16844 @item complex_filter, cvlfp
16845 Enable complex vertical low-pass filtering.
16846 This will slightly less reduce interlace 'twitter' and Moire
16847 patterning but better retain detail and subjective sharpness impression.
16848
16849 @end table
16850
16851 Vertical low-pass filtering can only be enabled for @option{mode}
16852 @var{interleave_top} and @var{interleave_bottom}.
16853
16854 @end table
16855
16856 @section tmix
16857
16858 Mix successive video frames.
16859
16860 A description of the accepted options follows.
16861
16862 @table @option
16863 @item frames
16864 The number of successive frames to mix. If unspecified, it defaults to 3.
16865
16866 @item weights
16867 Specify weight of each input video frame.
16868 Each weight is separated by space. If number of weights is smaller than
16869 number of @var{frames} last specified weight will be used for all remaining
16870 unset weights.
16871
16872 @item scale
16873 Specify scale, if it is set it will be multiplied with sum
16874 of each weight multiplied with pixel values to give final destination
16875 pixel value. By default @var{scale} is auto scaled to sum of weights.
16876 @end table
16877
16878 @subsection Examples
16879
16880 @itemize
16881 @item
16882 Average 7 successive frames:
16883 @example
16884 tmix=frames=7:weights="1 1 1 1 1 1 1"
16885 @end example
16886
16887 @item
16888 Apply simple temporal convolution:
16889 @example
16890 tmix=frames=3:weights="-1 3 -1"
16891 @end example
16892
16893 @item
16894 Similar as above but only showing temporal differences:
16895 @example
16896 tmix=frames=3:weights="-1 2 -1":scale=1
16897 @end example
16898 @end itemize
16899
16900 @anchor{tonemap}
16901 @section tonemap
16902 Tone map colors from different dynamic ranges.
16903
16904 This filter expects data in single precision floating point, as it needs to
16905 operate on (and can output) out-of-range values. Another filter, such as
16906 @ref{zscale}, is needed to convert the resulting frame to a usable format.
16907
16908 The tonemapping algorithms implemented only work on linear light, so input
16909 data should be linearized beforehand (and possibly correctly tagged).
16910
16911 @example
16912 ffmpeg -i INPUT -vf zscale=transfer=linear,tonemap=clip,zscale=transfer=bt709,format=yuv420p OUTPUT
16913 @end example
16914
16915 @subsection Options
16916 The filter accepts the following options.
16917
16918 @table @option
16919 @item tonemap
16920 Set the tone map algorithm to use.
16921
16922 Possible values are:
16923 @table @var
16924 @item none
16925 Do not apply any tone map, only desaturate overbright pixels.
16926
16927 @item clip
16928 Hard-clip any out-of-range values. Use it for perfect color accuracy for
16929 in-range values, while distorting out-of-range values.
16930
16931 @item linear
16932 Stretch the entire reference gamut to a linear multiple of the display.
16933
16934 @item gamma
16935 Fit a logarithmic transfer between the tone curves.
16936
16937 @item reinhard
16938 Preserve overall image brightness with a simple curve, using nonlinear
16939 contrast, which results in flattening details and degrading color accuracy.
16940
16941 @item hable
16942 Preserve both dark and bright details better than @var{reinhard}, at the cost
16943 of slightly darkening everything. Use it when detail preservation is more
16944 important than color and brightness accuracy.
16945
16946 @item mobius
16947 Smoothly map out-of-range values, while retaining contrast and colors for
16948 in-range material as much as possible. Use it when color accuracy is more
16949 important than detail preservation.
16950 @end table
16951
16952 Default is none.
16953
16954 @item param
16955 Tune the tone mapping algorithm.
16956
16957 This affects the following algorithms:
16958 @table @var
16959 @item none
16960 Ignored.
16961
16962 @item linear
16963 Specifies the scale factor to use while stretching.
16964 Default to 1.0.
16965
16966 @item gamma
16967 Specifies the exponent of the function.
16968 Default to 1.8.
16969
16970 @item clip
16971 Specify an extra linear coefficient to multiply into the signal before clipping.
16972 Default to 1.0.
16973
16974 @item reinhard
16975 Specify the local contrast coefficient at the display peak.
16976 Default to 0.5, which means that in-gamut values will be about half as bright
16977 as when clipping.
16978
16979 @item hable
16980 Ignored.
16981
16982 @item mobius
16983 Specify the transition point from linear to mobius transform. Every value
16984 below this point is guaranteed to be mapped 1:1. The higher the value, the
16985 more accurate the result will be, at the cost of losing bright details.
16986 Default to 0.3, which due to the steep initial slope still preserves in-range
16987 colors fairly accurately.
16988 @end table
16989
16990 @item desat
16991 Apply desaturation for highlights that exceed this level of brightness. The
16992 higher the parameter, the more color information will be preserved. This
16993 setting helps prevent unnaturally blown-out colors for super-highlights, by
16994 (smoothly) turning into white instead. This makes images feel more natural,
16995 at the cost of reducing information about out-of-range colors.
16996
16997 The default of 2.0 is somewhat conservative and will mostly just apply to
16998 skies or directly sunlit surfaces. A setting of 0.0 disables this option.
16999
17000 This option works only if the input frame has a supported color tag.
17001
17002 @item peak
17003 Override signal/nominal/reference peak with this value. Useful when the
17004 embedded peak information in display metadata is not reliable or when tone
17005 mapping from a lower range to a higher range.
17006 @end table
17007
17008 @section tpad
17009
17010 Temporarily pad video frames.
17011
17012 The filter accepts the following options:
17013
17014 @table @option
17015 @item start
17016 Specify number of delay frames before input video stream.
17017
17018 @item stop
17019 Specify number of padding frames after input video stream.
17020 Set to -1 to pad indefinitely.
17021
17022 @item start_mode
17023 Set kind of frames added to beginning of stream.
17024 Can be either @var{add} or @var{clone}.
17025 With @var{add} frames of solid-color are added.
17026 With @var{clone} frames are clones of first frame.
17027
17028 @item stop_mode
17029 Set kind of frames added to end of stream.
17030 Can be either @var{add} or @var{clone}.
17031 With @var{add} frames of solid-color are added.
17032 With @var{clone} frames are clones of last frame.
17033
17034 @item start_duration, stop_duration
17035 Specify the duration of the start/stop delay. See
17036 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
17037 for the accepted syntax.
17038 These options override @var{start} and @var{stop}.
17039
17040 @item color
17041 Specify the color of the padded area. For the syntax of this option,
17042 check the @ref{color syntax,,"Color" section in the ffmpeg-utils
17043 manual,ffmpeg-utils}.
17044
17045 The default value of @var{color} is "black".
17046 @end table
17047
17048 @anchor{transpose}
17049 @section transpose
17050
17051 Transpose rows with columns in the input video and optionally flip it.
17052
17053 It accepts the following parameters:
17054
17055 @table @option
17056
17057 @item dir
17058 Specify the transposition direction.
17059
17060 Can assume the following values:
17061 @table @samp
17062 @item 0, 4, cclock_flip
17063 Rotate by 90 degrees counterclockwise and vertically flip (default), that is:
17064 @example
17065 L.R     L.l
17066 . . ->  . .
17067 l.r     R.r
17068 @end example
17069
17070 @item 1, 5, clock
17071 Rotate by 90 degrees clockwise, that is:
17072 @example
17073 L.R     l.L
17074 . . ->  . .
17075 l.r     r.R
17076 @end example
17077
17078 @item 2, 6, cclock
17079 Rotate by 90 degrees counterclockwise, that is:
17080 @example
17081 L.R     R.r
17082 . . ->  . .
17083 l.r     L.l
17084 @end example
17085
17086 @item 3, 7, clock_flip
17087 Rotate by 90 degrees clockwise and vertically flip, that is:
17088 @example
17089 L.R     r.R
17090 . . ->  . .
17091 l.r     l.L
17092 @end example
17093 @end table
17094
17095 For values between 4-7, the transposition is only done if the input
17096 video geometry is portrait and not landscape. These values are
17097 deprecated, the @code{passthrough} option should be used instead.
17098
17099 Numerical values are deprecated, and should be dropped in favor of
17100 symbolic constants.
17101
17102 @item passthrough
17103 Do not apply the transposition if the input geometry matches the one
17104 specified by the specified value. It accepts the following values:
17105 @table @samp
17106 @item none
17107 Always apply transposition.
17108 @item portrait
17109 Preserve portrait geometry (when @var{height} >= @var{width}).
17110 @item landscape
17111 Preserve landscape geometry (when @var{width} >= @var{height}).
17112 @end table
17113
17114 Default value is @code{none}.
17115 @end table
17116
17117 For example to rotate by 90 degrees clockwise and preserve portrait
17118 layout:
17119 @example
17120 transpose=dir=1:passthrough=portrait
17121 @end example
17122
17123 The command above can also be specified as:
17124 @example
17125 transpose=1:portrait
17126 @end example
17127
17128 @section transpose_npp
17129
17130 Transpose rows with columns in the input video and optionally flip it.
17131 For more in depth examples see the @ref{transpose} video filter, which shares mostly the same options.
17132
17133 It accepts the following parameters:
17134
17135 @table @option
17136
17137 @item dir
17138 Specify the transposition direction.
17139
17140 Can assume the following values:
17141 @table @samp
17142 @item cclock_flip
17143 Rotate by 90 degrees counterclockwise and vertically flip. (default)
17144
17145 @item clock
17146 Rotate by 90 degrees clockwise.
17147
17148 @item cclock
17149 Rotate by 90 degrees counterclockwise.
17150
17151 @item clock_flip
17152 Rotate by 90 degrees clockwise and vertically flip.
17153 @end table
17154
17155 @item passthrough
17156 Do not apply the transposition if the input geometry matches the one
17157 specified by the specified value. It accepts the following values:
17158 @table @samp
17159 @item none
17160 Always apply transposition. (default)
17161 @item portrait
17162 Preserve portrait geometry (when @var{height} >= @var{width}).
17163 @item landscape
17164 Preserve landscape geometry (when @var{width} >= @var{height}).
17165 @end table
17166
17167 @end table
17168
17169 @section trim
17170 Trim the input so that the output contains one continuous subpart of the input.
17171
17172 It accepts the following parameters:
17173 @table @option
17174 @item start
17175 Specify the time of the start of the kept section, i.e. the frame with the
17176 timestamp @var{start} will be the first frame in the output.
17177
17178 @item end
17179 Specify the time of the first frame that will be dropped, i.e. the frame
17180 immediately preceding the one with the timestamp @var{end} will be the last
17181 frame in the output.
17182
17183 @item start_pts
17184 This is the same as @var{start}, except this option sets the start timestamp
17185 in timebase units instead of seconds.
17186
17187 @item end_pts
17188 This is the same as @var{end}, except this option sets the end timestamp
17189 in timebase units instead of seconds.
17190
17191 @item duration
17192 The maximum duration of the output in seconds.
17193
17194 @item start_frame
17195 The number of the first frame that should be passed to the output.
17196
17197 @item end_frame
17198 The number of the first frame that should be dropped.
17199 @end table
17200
17201 @option{start}, @option{end}, and @option{duration} are expressed as time
17202 duration specifications; see
17203 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
17204 for the accepted syntax.
17205
17206 Note that the first two sets of the start/end options and the @option{duration}
17207 option look at the frame timestamp, while the _frame variants simply count the
17208 frames that pass through the filter. Also note that this filter does not modify
17209 the timestamps. If you wish for the output timestamps to start at zero, insert a
17210 setpts filter after the trim filter.
17211
17212 If multiple start or end options are set, this filter tries to be greedy and
17213 keep all the frames that match at least one of the specified constraints. To keep
17214 only the part that matches all the constraints at once, chain multiple trim
17215 filters.
17216
17217 The defaults are such that all the input is kept. So it is possible to set e.g.
17218 just the end values to keep everything before the specified time.
17219
17220 Examples:
17221 @itemize
17222 @item
17223 Drop everything except the second minute of input:
17224 @example
17225 ffmpeg -i INPUT -vf trim=60:120
17226 @end example
17227
17228 @item
17229 Keep only the first second:
17230 @example
17231 ffmpeg -i INPUT -vf trim=duration=1
17232 @end example
17233
17234 @end itemize
17235
17236 @section unpremultiply
17237 Apply alpha unpremultiply effect to input video stream using first plane
17238 of second stream as alpha.
17239
17240 Both streams must have same dimensions and same pixel format.
17241
17242 The filter accepts the following option:
17243
17244 @table @option
17245 @item planes
17246 Set which planes will be processed, unprocessed planes will be copied.
17247 By default value 0xf, all planes will be processed.
17248
17249 If the format has 1 or 2 components, then luma is bit 0.
17250 If the format has 3 or 4 components:
17251 for RGB formats bit 0 is green, bit 1 is blue and bit 2 is red;
17252 for YUV formats bit 0 is luma, bit 1 is chroma-U and bit 2 is chroma-V.
17253 If present, the alpha channel is always the last bit.
17254
17255 @item inplace
17256 Do not require 2nd input for processing, instead use alpha plane from input stream.
17257 @end table
17258
17259 @anchor{unsharp}
17260 @section unsharp
17261
17262 Sharpen or blur the input video.
17263
17264 It accepts the following parameters:
17265
17266 @table @option
17267 @item luma_msize_x, lx
17268 Set the luma matrix horizontal size. It must be an odd integer between
17269 3 and 23. The default value is 5.
17270
17271 @item luma_msize_y, ly
17272 Set the luma matrix vertical size. It must be an odd integer between 3
17273 and 23. The default value is 5.
17274
17275 @item luma_amount, la
17276 Set the luma effect strength. It must be a floating point number, reasonable
17277 values lay between -1.5 and 1.5.
17278
17279 Negative values will blur the input video, while positive values will
17280 sharpen it, a value of zero will disable the effect.
17281
17282 Default value is 1.0.
17283
17284 @item chroma_msize_x, cx
17285 Set the chroma matrix horizontal size. It must be an odd integer
17286 between 3 and 23. The default value is 5.
17287
17288 @item chroma_msize_y, cy
17289 Set the chroma matrix vertical size. It must be an odd integer
17290 between 3 and 23. The default value is 5.
17291
17292 @item chroma_amount, ca
17293 Set the chroma effect strength. It must be a floating point number, reasonable
17294 values lay between -1.5 and 1.5.
17295
17296 Negative values will blur the input video, while positive values will
17297 sharpen it, a value of zero will disable the effect.
17298
17299 Default value is 0.0.
17300
17301 @end table
17302
17303 All parameters are optional and default to the equivalent of the
17304 string '5:5:1.0:5:5:0.0'.
17305
17306 @subsection Examples
17307
17308 @itemize
17309 @item
17310 Apply strong luma sharpen effect:
17311 @example
17312 unsharp=luma_msize_x=7:luma_msize_y=7:luma_amount=2.5
17313 @end example
17314
17315 @item
17316 Apply a strong blur of both luma and chroma parameters:
17317 @example
17318 unsharp=7:7:-2:7:7:-2
17319 @end example
17320 @end itemize
17321
17322 @section uspp
17323
17324 Apply ultra slow/simple postprocessing filter that compresses and decompresses
17325 the image at several (or - in the case of @option{quality} level @code{8} - all)
17326 shifts and average the results.
17327
17328 The way this differs from the behavior of spp is that uspp actually encodes &
17329 decodes each case with libavcodec Snow, whereas spp uses a simplified intra only 8x8
17330 DCT similar to MJPEG.
17331
17332 The filter accepts the following options:
17333
17334 @table @option
17335 @item quality
17336 Set quality. This option defines the number of levels for averaging. It accepts
17337 an integer in the range 0-8. If set to @code{0}, the filter will have no
17338 effect. A value of @code{8} means the higher quality. For each increment of
17339 that value the speed drops by a factor of approximately 2.  Default value is
17340 @code{3}.
17341
17342 @item qp
17343 Force a constant quantization parameter. If not set, the filter will use the QP
17344 from the video stream (if available).
17345 @end table
17346
17347 @section vaguedenoiser
17348
17349 Apply a wavelet based denoiser.
17350
17351 It transforms each frame from the video input into the wavelet domain,
17352 using Cohen-Daubechies-Feauveau 9/7. Then it applies some filtering to
17353 the obtained coefficients. It does an inverse wavelet transform after.
17354 Due to wavelet properties, it should give a nice smoothed result, and
17355 reduced noise, without blurring picture features.
17356
17357 This filter accepts the following options:
17358
17359 @table @option
17360 @item threshold
17361 The filtering strength. The higher, the more filtered the video will be.
17362 Hard thresholding can use a higher threshold than soft thresholding
17363 before the video looks overfiltered. Default value is 2.
17364
17365 @item method
17366 The filtering method the filter will use.
17367
17368 It accepts the following values:
17369 @table @samp
17370 @item hard
17371 All values under the threshold will be zeroed.
17372
17373 @item soft
17374 All values under the threshold will be zeroed. All values above will be
17375 reduced by the threshold.
17376
17377 @item garrote
17378 Scales or nullifies coefficients - intermediary between (more) soft and
17379 (less) hard thresholding.
17380 @end table
17381
17382 Default is garrote.
17383
17384 @item nsteps
17385 Number of times, the wavelet will decompose the picture. Picture can't
17386 be decomposed beyond a particular point (typically, 8 for a 640x480
17387 frame - as 2^9 = 512 > 480). Valid values are integers between 1 and 32. Default value is 6.
17388
17389 @item percent
17390 Partial of full denoising (limited coefficients shrinking), from 0 to 100. Default value is 85.
17391
17392 @item planes
17393 A list of the planes to process. By default all planes are processed.
17394 @end table
17395
17396 @section vectorscope
17397
17398 Display 2 color component values in the two dimensional graph (which is called
17399 a vectorscope).
17400
17401 This filter accepts the following options:
17402
17403 @table @option
17404 @item mode, m
17405 Set vectorscope mode.
17406
17407 It accepts the following values:
17408 @table @samp
17409 @item gray
17410 Gray values are displayed on graph, higher brightness means more pixels have
17411 same component color value on location in graph. This is the default mode.
17412
17413 @item color
17414 Gray values are displayed on graph. Surrounding pixels values which are not
17415 present in video frame are drawn in gradient of 2 color components which are
17416 set by option @code{x} and @code{y}. The 3rd color component is static.
17417
17418 @item color2
17419 Actual color components values present in video frame are displayed on graph.
17420
17421 @item color3
17422 Similar as color2 but higher frequency of same values @code{x} and @code{y}
17423 on graph increases value of another color component, which is luminance by
17424 default values of @code{x} and @code{y}.
17425
17426 @item color4
17427 Actual colors present in video frame are displayed on graph. If two different
17428 colors map to same position on graph then color with higher value of component
17429 not present in graph is picked.
17430
17431 @item color5
17432 Gray values are displayed on graph. Similar to @code{color} but with 3rd color
17433 component picked from radial gradient.
17434 @end table
17435
17436 @item x
17437 Set which color component will be represented on X-axis. Default is @code{1}.
17438
17439 @item y
17440 Set which color component will be represented on Y-axis. Default is @code{2}.
17441
17442 @item intensity, i
17443 Set intensity, used by modes: gray, color, color3 and color5 for increasing brightness
17444 of color component which represents frequency of (X, Y) location in graph.
17445
17446 @item envelope, e
17447 @table @samp
17448 @item none
17449 No envelope, this is default.
17450
17451 @item instant
17452 Instant envelope, even darkest single pixel will be clearly highlighted.
17453
17454 @item peak
17455 Hold maximum and minimum values presented in graph over time. This way you
17456 can still spot out of range values without constantly looking at vectorscope.
17457
17458 @item peak+instant
17459 Peak and instant envelope combined together.
17460 @end table
17461
17462 @item graticule, g
17463 Set what kind of graticule to draw.
17464 @table @samp
17465 @item none
17466 @item green
17467 @item color
17468 @end table
17469
17470 @item opacity, o
17471 Set graticule opacity.
17472
17473 @item flags, f
17474 Set graticule flags.
17475
17476 @table @samp
17477 @item white
17478 Draw graticule for white point.
17479
17480 @item black
17481 Draw graticule for black point.
17482
17483 @item name
17484 Draw color points short names.
17485 @end table
17486
17487 @item bgopacity, b
17488 Set background opacity.
17489
17490 @item lthreshold, l
17491 Set low threshold for color component not represented on X or Y axis.
17492 Values lower than this value will be ignored. Default is 0.
17493 Note this value is multiplied with actual max possible value one pixel component
17494 can have. So for 8-bit input and low threshold value of 0.1 actual threshold
17495 is 0.1 * 255 = 25.
17496
17497 @item hthreshold, h
17498 Set high threshold for color component not represented on X or Y axis.
17499 Values higher than this value will be ignored. Default is 1.
17500 Note this value is multiplied with actual max possible value one pixel component
17501 can have. So for 8-bit input and high threshold value of 0.9 actual threshold
17502 is 0.9 * 255 = 230.
17503
17504 @item colorspace, c
17505 Set what kind of colorspace to use when drawing graticule.
17506 @table @samp
17507 @item auto
17508 @item 601
17509 @item 709
17510 @end table
17511 Default is auto.
17512 @end table
17513
17514 @anchor{vidstabdetect}
17515 @section vidstabdetect
17516
17517 Analyze video stabilization/deshaking. Perform pass 1 of 2, see
17518 @ref{vidstabtransform} for pass 2.
17519
17520 This filter generates a file with relative translation and rotation
17521 transform information about subsequent frames, which is then used by
17522 the @ref{vidstabtransform} filter.
17523
17524 To enable compilation of this filter you need to configure FFmpeg with
17525 @code{--enable-libvidstab}.
17526
17527 This filter accepts the following options:
17528
17529 @table @option
17530 @item result
17531 Set the path to the file used to write the transforms information.
17532 Default value is @file{transforms.trf}.
17533
17534 @item shakiness
17535 Set how shaky the video is and how quick the camera is. It accepts an
17536 integer in the range 1-10, a value of 1 means little shakiness, a
17537 value of 10 means strong shakiness. Default value is 5.
17538
17539 @item accuracy
17540 Set the accuracy of the detection process. It must be a value in the
17541 range 1-15. A value of 1 means low accuracy, a value of 15 means high
17542 accuracy. Default value is 15.
17543
17544 @item stepsize
17545 Set stepsize of the search process. The region around minimum is
17546 scanned with 1 pixel resolution. Default value is 6.
17547
17548 @item mincontrast
17549 Set minimum contrast. Below this value a local measurement field is
17550 discarded. Must be a floating point value in the range 0-1. Default
17551 value is 0.3.
17552
17553 @item tripod
17554 Set reference frame number for tripod mode.
17555
17556 If enabled, the motion of the frames is compared to a reference frame
17557 in the filtered stream, identified by the specified number. The idea
17558 is to compensate all movements in a more-or-less static scene and keep
17559 the camera view absolutely still.
17560
17561 If set to 0, it is disabled. The frames are counted starting from 1.
17562
17563 @item show
17564 Show fields and transforms in the resulting frames. It accepts an
17565 integer in the range 0-2. Default value is 0, which disables any
17566 visualization.
17567 @end table
17568
17569 @subsection Examples
17570
17571 @itemize
17572 @item
17573 Use default values:
17574 @example
17575 vidstabdetect
17576 @end example
17577
17578 @item
17579 Analyze strongly shaky movie and put the results in file
17580 @file{mytransforms.trf}:
17581 @example
17582 vidstabdetect=shakiness=10:accuracy=15:result="mytransforms.trf"
17583 @end example
17584
17585 @item
17586 Visualize the result of internal transformations in the resulting
17587 video:
17588 @example
17589 vidstabdetect=show=1
17590 @end example
17591
17592 @item
17593 Analyze a video with medium shakiness using @command{ffmpeg}:
17594 @example
17595 ffmpeg -i input -vf vidstabdetect=shakiness=5:show=1 dummy.avi
17596 @end example
17597 @end itemize
17598
17599 @anchor{vidstabtransform}
17600 @section vidstabtransform
17601
17602 Video stabilization/deshaking: pass 2 of 2,
17603 see @ref{vidstabdetect} for pass 1.
17604
17605 Read a file with transform information for each frame and
17606 apply/compensate them. Together with the @ref{vidstabdetect}
17607 filter this can be used to deshake videos. See also
17608 @url{http://public.hronopik.de/vid.stab}. It is important to also use
17609 the @ref{unsharp} filter, see below.
17610
17611 To enable compilation of this filter you need to configure FFmpeg with
17612 @code{--enable-libvidstab}.
17613
17614 @subsection Options
17615
17616 @table @option
17617 @item input
17618 Set path to the file used to read the transforms. Default value is
17619 @file{transforms.trf}.
17620
17621 @item smoothing
17622 Set the number of frames (value*2 + 1) used for lowpass filtering the
17623 camera movements. Default value is 10.
17624
17625 For example a number of 10 means that 21 frames are used (10 in the
17626 past and 10 in the future) to smoothen the motion in the video. A
17627 larger value leads to a smoother video, but limits the acceleration of
17628 the camera (pan/tilt movements). 0 is a special case where a static
17629 camera is simulated.
17630
17631 @item optalgo
17632 Set the camera path optimization algorithm.
17633
17634 Accepted values are:
17635 @table @samp
17636 @item gauss
17637 gaussian kernel low-pass filter on camera motion (default)
17638 @item avg
17639 averaging on transformations
17640 @end table
17641
17642 @item maxshift
17643 Set maximal number of pixels to translate frames. Default value is -1,
17644 meaning no limit.
17645
17646 @item maxangle
17647 Set maximal angle in radians (degree*PI/180) to rotate frames. Default
17648 value is -1, meaning no limit.
17649
17650 @item crop
17651 Specify how to deal with borders that may be visible due to movement
17652 compensation.
17653
17654 Available values are:
17655 @table @samp
17656 @item keep
17657 keep image information from previous frame (default)
17658 @item black
17659 fill the border black
17660 @end table
17661
17662 @item invert
17663 Invert transforms if set to 1. Default value is 0.
17664
17665 @item relative
17666 Consider transforms as relative to previous frame if set to 1,
17667 absolute if set to 0. Default value is 0.
17668
17669 @item zoom
17670 Set percentage to zoom. A positive value will result in a zoom-in
17671 effect, a negative value in a zoom-out effect. Default value is 0 (no
17672 zoom).
17673
17674 @item optzoom
17675 Set optimal zooming to avoid borders.
17676
17677 Accepted values are:
17678 @table @samp
17679 @item 0
17680 disabled
17681 @item 1
17682 optimal static zoom value is determined (only very strong movements
17683 will lead to visible borders) (default)
17684 @item 2
17685 optimal adaptive zoom value is determined (no borders will be
17686 visible), see @option{zoomspeed}
17687 @end table
17688
17689 Note that the value given at zoom is added to the one calculated here.
17690
17691 @item zoomspeed
17692 Set percent to zoom maximally each frame (enabled when
17693 @option{optzoom} is set to 2). Range is from 0 to 5, default value is
17694 0.25.
17695
17696 @item interpol
17697 Specify type of interpolation.
17698
17699 Available values are:
17700 @table @samp
17701 @item no
17702 no interpolation
17703 @item linear
17704 linear only horizontal
17705 @item bilinear
17706 linear in both directions (default)
17707 @item bicubic
17708 cubic in both directions (slow)
17709 @end table
17710
17711 @item tripod
17712 Enable virtual tripod mode if set to 1, which is equivalent to
17713 @code{relative=0:smoothing=0}. Default value is 0.
17714
17715 Use also @code{tripod} option of @ref{vidstabdetect}.
17716
17717 @item debug
17718 Increase log verbosity if set to 1. Also the detected global motions
17719 are written to the temporary file @file{global_motions.trf}. Default
17720 value is 0.
17721 @end table
17722
17723 @subsection Examples
17724
17725 @itemize
17726 @item
17727 Use @command{ffmpeg} for a typical stabilization with default values:
17728 @example
17729 ffmpeg -i inp.mpeg -vf vidstabtransform,unsharp=5:5:0.8:3:3:0.4 inp_stabilized.mpeg
17730 @end example
17731
17732 Note the use of the @ref{unsharp} filter which is always recommended.
17733
17734 @item
17735 Zoom in a bit more and load transform data from a given file:
17736 @example
17737 vidstabtransform=zoom=5:input="mytransforms.trf"
17738 @end example
17739
17740 @item
17741 Smoothen the video even more:
17742 @example
17743 vidstabtransform=smoothing=30
17744 @end example
17745 @end itemize
17746
17747 @section vflip
17748
17749 Flip the input video vertically.
17750
17751 For example, to vertically flip a video with @command{ffmpeg}:
17752 @example
17753 ffmpeg -i in.avi -vf "vflip" out.avi
17754 @end example
17755
17756 @section vfrdet
17757
17758 Detect variable frame rate video.
17759
17760 This filter tries to detect if the input is variable or constant frame rate.
17761
17762 At end it will output number of frames detected as having variable delta pts,
17763 and ones with constant delta pts.
17764 If there was frames with variable delta, than it will also show min and max delta
17765 encountered.
17766
17767 @section vibrance
17768
17769 Boost or alter saturation.
17770
17771 The filter accepts the following options:
17772 @table @option
17773 @item intensity
17774 Set strength of boost if positive value or strength of alter if negative value.
17775 Default is 0. Allowed range is from -2 to 2.
17776
17777 @item rbal
17778 Set the red balance. Default is 1. Allowed range is from -10 to 10.
17779
17780 @item gbal
17781 Set the green balance. Default is 1. Allowed range is from -10 to 10.
17782
17783 @item bbal
17784 Set the blue balance. Default is 1. Allowed range is from -10 to 10.
17785
17786 @item rlum
17787 Set the red luma coefficient.
17788
17789 @item glum
17790 Set the green luma coefficient.
17791
17792 @item blum
17793 Set the blue luma coefficient.
17794 @end table
17795
17796 @anchor{vignette}
17797 @section vignette
17798
17799 Make or reverse a natural vignetting effect.
17800
17801 The filter accepts the following options:
17802
17803 @table @option
17804 @item angle, a
17805 Set lens angle expression as a number of radians.
17806
17807 The value is clipped in the @code{[0,PI/2]} range.
17808
17809 Default value: @code{"PI/5"}
17810
17811 @item x0
17812 @item y0
17813 Set center coordinates expressions. Respectively @code{"w/2"} and @code{"h/2"}
17814 by default.
17815
17816 @item mode
17817 Set forward/backward mode.
17818
17819 Available modes are:
17820 @table @samp
17821 @item forward
17822 The larger the distance from the central point, the darker the image becomes.
17823
17824 @item backward
17825 The larger the distance from the central point, the brighter the image becomes.
17826 This can be used to reverse a vignette effect, though there is no automatic
17827 detection to extract the lens @option{angle} and other settings (yet). It can
17828 also be used to create a burning effect.
17829 @end table
17830
17831 Default value is @samp{forward}.
17832
17833 @item eval
17834 Set evaluation mode for the expressions (@option{angle}, @option{x0}, @option{y0}).
17835
17836 It accepts the following values:
17837 @table @samp
17838 @item init
17839 Evaluate expressions only once during the filter initialization.
17840
17841 @item frame
17842 Evaluate expressions for each incoming frame. This is way slower than the
17843 @samp{init} mode since it requires all the scalers to be re-computed, but it
17844 allows advanced dynamic expressions.
17845 @end table
17846
17847 Default value is @samp{init}.
17848
17849 @item dither
17850 Set dithering to reduce the circular banding effects. Default is @code{1}
17851 (enabled).
17852
17853 @item aspect
17854 Set vignette aspect. This setting allows one to adjust the shape of the vignette.
17855 Setting this value to the SAR of the input will make a rectangular vignetting
17856 following the dimensions of the video.
17857
17858 Default is @code{1/1}.
17859 @end table
17860
17861 @subsection Expressions
17862
17863 The @option{alpha}, @option{x0} and @option{y0} expressions can contain the
17864 following parameters.
17865
17866 @table @option
17867 @item w
17868 @item h
17869 input width and height
17870
17871 @item n
17872 the number of input frame, starting from 0
17873
17874 @item pts
17875 the PTS (Presentation TimeStamp) time of the filtered video frame, expressed in
17876 @var{TB} units, NAN if undefined
17877
17878 @item r
17879 frame rate of the input video, NAN if the input frame rate is unknown
17880
17881 @item t
17882 the PTS (Presentation TimeStamp) of the filtered video frame,
17883 expressed in seconds, NAN if undefined
17884
17885 @item tb
17886 time base of the input video
17887 @end table
17888
17889
17890 @subsection Examples
17891
17892 @itemize
17893 @item
17894 Apply simple strong vignetting effect:
17895 @example
17896 vignette=PI/4
17897 @end example
17898
17899 @item
17900 Make a flickering vignetting:
17901 @example
17902 vignette='PI/4+random(1)*PI/50':eval=frame
17903 @end example
17904
17905 @end itemize
17906
17907 @section vmafmotion
17908
17909 Obtain the average vmaf motion score of a video.
17910 It is one of the component filters of VMAF.
17911
17912 The obtained average motion score is printed through the logging system.
17913
17914 In the below example the input file @file{ref.mpg} is being processed and score
17915 is computed.
17916
17917 @example
17918 ffmpeg -i ref.mpg -lavfi vmafmotion -f null -
17919 @end example
17920
17921 @section vstack
17922 Stack input videos vertically.
17923
17924 All streams must be of same pixel format and of same width.
17925
17926 Note that this filter is faster than using @ref{overlay} and @ref{pad} filter
17927 to create same output.
17928
17929 The filter accept the following option:
17930
17931 @table @option
17932 @item inputs
17933 Set number of input streams. Default is 2.
17934
17935 @item shortest
17936 If set to 1, force the output to terminate when the shortest input
17937 terminates. Default value is 0.
17938 @end table
17939
17940 @section w3fdif
17941
17942 Deinterlace the input video ("w3fdif" stands for "Weston 3 Field
17943 Deinterlacing Filter").
17944
17945 Based on the process described by Martin Weston for BBC R&D, and
17946 implemented based on the de-interlace algorithm written by Jim
17947 Easterbrook for BBC R&D, the Weston 3 field deinterlacing filter
17948 uses filter coefficients calculated by BBC R&D.
17949
17950 There are two sets of filter coefficients, so called "simple":
17951 and "complex". Which set of filter coefficients is used can
17952 be set by passing an optional parameter:
17953
17954 @table @option
17955 @item filter
17956 Set the interlacing filter coefficients. Accepts one of the following values:
17957
17958 @table @samp
17959 @item simple
17960 Simple filter coefficient set.
17961 @item complex
17962 More-complex filter coefficient set.
17963 @end table
17964 Default value is @samp{complex}.
17965
17966 @item deint
17967 Specify which frames to deinterlace. Accept one of the following values:
17968
17969 @table @samp
17970 @item all
17971 Deinterlace all frames,
17972 @item interlaced
17973 Only deinterlace frames marked as interlaced.
17974 @end table
17975
17976 Default value is @samp{all}.
17977 @end table
17978
17979 @section waveform
17980 Video waveform monitor.
17981
17982 The waveform monitor plots color component intensity. By default luminance
17983 only. Each column of the waveform corresponds to a column of pixels in the
17984 source video.
17985
17986 It accepts the following options:
17987
17988 @table @option
17989 @item mode, m
17990 Can be either @code{row}, or @code{column}. Default is @code{column}.
17991 In row mode, the graph on the left side represents color component value 0 and
17992 the right side represents value = 255. In column mode, the top side represents
17993 color component value = 0 and bottom side represents value = 255.
17994
17995 @item intensity, i
17996 Set intensity. Smaller values are useful to find out how many values of the same
17997 luminance are distributed across input rows/columns.
17998 Default value is @code{0.04}. Allowed range is [0, 1].
17999
18000 @item mirror, r
18001 Set mirroring mode. @code{0} means unmirrored, @code{1} means mirrored.
18002 In mirrored mode, higher values will be represented on the left
18003 side for @code{row} mode and at the top for @code{column} mode. Default is
18004 @code{1} (mirrored).
18005
18006 @item display, d
18007 Set display mode.
18008 It accepts the following values:
18009 @table @samp
18010 @item overlay
18011 Presents information identical to that in the @code{parade}, except
18012 that the graphs representing color components are superimposed directly
18013 over one another.
18014
18015 This display mode makes it easier to spot relative differences or similarities
18016 in overlapping areas of the color components that are supposed to be identical,
18017 such as neutral whites, grays, or blacks.
18018
18019 @item stack
18020 Display separate graph for the color components side by side in
18021 @code{row} mode or one below the other in @code{column} mode.
18022
18023 @item parade
18024 Display separate graph for the color components side by side in
18025 @code{column} mode or one below the other in @code{row} mode.
18026
18027 Using this display mode makes it easy to spot color casts in the highlights
18028 and shadows of an image, by comparing the contours of the top and the bottom
18029 graphs of each waveform. Since whites, grays, and blacks are characterized
18030 by exactly equal amounts of red, green, and blue, neutral areas of the picture
18031 should display three waveforms of roughly equal width/height. If not, the
18032 correction is easy to perform by making level adjustments the three waveforms.
18033 @end table
18034 Default is @code{stack}.
18035
18036 @item components, c
18037 Set which color components to display. Default is 1, which means only luminance
18038 or red color component if input is in RGB colorspace. If is set for example to
18039 7 it will display all 3 (if) available color components.
18040
18041 @item envelope, e
18042 @table @samp
18043 @item none
18044 No envelope, this is default.
18045
18046 @item instant
18047 Instant envelope, minimum and maximum values presented in graph will be easily
18048 visible even with small @code{step} value.
18049
18050 @item peak
18051 Hold minimum and maximum values presented in graph across time. This way you
18052 can still spot out of range values without constantly looking at waveforms.
18053
18054 @item peak+instant
18055 Peak and instant envelope combined together.
18056 @end table
18057
18058 @item filter, f
18059 @table @samp
18060 @item lowpass
18061 No filtering, this is default.
18062
18063 @item flat
18064 Luma and chroma combined together.
18065
18066 @item aflat
18067 Similar as above, but shows difference between blue and red chroma.
18068
18069 @item xflat
18070 Similar as above, but use different colors.
18071
18072 @item chroma
18073 Displays only chroma.
18074
18075 @item color
18076 Displays actual color value on waveform.
18077
18078 @item acolor
18079 Similar as above, but with luma showing frequency of chroma values.
18080 @end table
18081
18082 @item graticule, g
18083 Set which graticule to display.
18084
18085 @table @samp
18086 @item none
18087 Do not display graticule.
18088
18089 @item green
18090 Display green graticule showing legal broadcast ranges.
18091
18092 @item orange
18093 Display orange graticule showing legal broadcast ranges.
18094 @end table
18095
18096 @item opacity, o
18097 Set graticule opacity.
18098
18099 @item flags, fl
18100 Set graticule flags.
18101
18102 @table @samp
18103 @item numbers
18104 Draw numbers above lines. By default enabled.
18105
18106 @item dots
18107 Draw dots instead of lines.
18108 @end table
18109
18110 @item scale, s
18111 Set scale used for displaying graticule.
18112
18113 @table @samp
18114 @item digital
18115 @item millivolts
18116 @item ire
18117 @end table
18118 Default is digital.
18119
18120 @item bgopacity, b
18121 Set background opacity.
18122 @end table
18123
18124 @section weave, doubleweave
18125
18126 The @code{weave} takes a field-based video input and join
18127 each two sequential fields into single frame, producing a new double
18128 height clip with half the frame rate and half the frame count.
18129
18130 The @code{doubleweave} works same as @code{weave} but without
18131 halving frame rate and frame count.
18132
18133 It accepts the following option:
18134
18135 @table @option
18136 @item first_field
18137 Set first field. Available values are:
18138
18139 @table @samp
18140 @item top, t
18141 Set the frame as top-field-first.
18142
18143 @item bottom, b
18144 Set the frame as bottom-field-first.
18145 @end table
18146 @end table
18147
18148 @subsection Examples
18149
18150 @itemize
18151 @item
18152 Interlace video using @ref{select} and @ref{separatefields} filter:
18153 @example
18154 separatefields,select=eq(mod(n,4),0)+eq(mod(n,4),3),weave
18155 @end example
18156 @end itemize
18157
18158 @section xbr
18159 Apply the xBR high-quality magnification filter which is designed for pixel
18160 art. It follows a set of edge-detection rules, see
18161 @url{https://forums.libretro.com/t/xbr-algorithm-tutorial/123}.
18162
18163 It accepts the following option:
18164
18165 @table @option
18166 @item n
18167 Set the scaling dimension: @code{2} for @code{2xBR}, @code{3} for
18168 @code{3xBR} and @code{4} for @code{4xBR}.
18169 Default is @code{3}.
18170 @end table
18171
18172 @section xstack
18173 Stack video inputs into custom layout.
18174
18175 All streams must be of same pixel format.
18176
18177 The filter accept the following option:
18178
18179 @table @option
18180 @item inputs
18181 Set number of input streams. Default is 2.
18182
18183 @item layout
18184 Specify layout of inputs.
18185 This option requires the desired layout configuration to be explicitly set by the user.
18186 This sets position of each video input in output. Each input
18187 is separated by '|'.
18188 The first number represents the column, and the second number represents the row.
18189 Numbers start at 0 and are separated by '_'. Optionally one can use wX and hX,
18190 where X is video input from which to take width or height.
18191 Multiple values can be used when separated by '+'. In such
18192 case values are summed together.
18193
18194 @item shortest
18195 If set to 1, force the output to terminate when the shortest input
18196 terminates. Default value is 0.
18197 @end table
18198
18199 @subsection Examples
18200
18201 @itemize
18202 @item
18203 Display 4 inputs into 2x2 grid,
18204 note that if inputs are of different sizes unused gaps might appear,
18205 as not all of output video is used.
18206 @example
18207 xstack=inputs=4:layout=0_0|0_h0|w0_0|w0_h0
18208 @end example
18209
18210 @item
18211 Display 4 inputs into 1x4 grid,
18212 note that if inputs are of different sizes unused gaps might appear,
18213 as not all of output video is used.
18214 @example
18215 xstack=inputs=4:layout=0_0|0_h0|0_h0+h1|0_h0+h1+h2
18216 @end example
18217
18218 @item
18219 Display 9 inputs into 3x3 grid,
18220 note that if inputs are of different sizes unused gaps might appear,
18221 as not all of output video is used.
18222 @example
18223 xstack=inputs=9:layout=w3_0|w3_h0+h2|w3_h0|0_h4|0_0|w3+w1_0|0_h1+h2|w3+w1_h0|w3+w1_h1+h2
18224 @end example
18225 @end itemize
18226
18227 @anchor{yadif}
18228 @section yadif
18229
18230 Deinterlace the input video ("yadif" means "yet another deinterlacing
18231 filter").
18232
18233 It accepts the following parameters:
18234
18235
18236 @table @option
18237
18238 @item mode
18239 The interlacing mode to adopt. It accepts one of the following values:
18240
18241 @table @option
18242 @item 0, send_frame
18243 Output one frame for each frame.
18244 @item 1, send_field
18245 Output one frame for each field.
18246 @item 2, send_frame_nospatial
18247 Like @code{send_frame}, but it skips the spatial interlacing check.
18248 @item 3, send_field_nospatial
18249 Like @code{send_field}, but it skips the spatial interlacing check.
18250 @end table
18251
18252 The default value is @code{send_frame}.
18253
18254 @item parity
18255 The picture field parity assumed for the input interlaced video. It accepts one
18256 of the following values:
18257
18258 @table @option
18259 @item 0, tff
18260 Assume the top field is first.
18261 @item 1, bff
18262 Assume the bottom field is first.
18263 @item -1, auto
18264 Enable automatic detection of field parity.
18265 @end table
18266
18267 The default value is @code{auto}.
18268 If the interlacing is unknown or the decoder does not export this information,
18269 top field first will be assumed.
18270
18271 @item deint
18272 Specify which frames to deinterlace. Accept one of the following
18273 values:
18274
18275 @table @option
18276 @item 0, all
18277 Deinterlace all frames.
18278 @item 1, interlaced
18279 Only deinterlace frames marked as interlaced.
18280 @end table
18281
18282 The default value is @code{all}.
18283 @end table
18284
18285 @section yadif_cuda
18286
18287 Deinterlace the input video using the @ref{yadif} algorithm, but implemented
18288 in CUDA so that it can work as part of a GPU accelerated pipeline with nvdec
18289 and/or nvenc.
18290
18291 It accepts the following parameters:
18292
18293
18294 @table @option
18295
18296 @item mode
18297 The interlacing mode to adopt. It accepts one of the following values:
18298
18299 @table @option
18300 @item 0, send_frame
18301 Output one frame for each frame.
18302 @item 1, send_field
18303 Output one frame for each field.
18304 @item 2, send_frame_nospatial
18305 Like @code{send_frame}, but it skips the spatial interlacing check.
18306 @item 3, send_field_nospatial
18307 Like @code{send_field}, but it skips the spatial interlacing check.
18308 @end table
18309
18310 The default value is @code{send_frame}.
18311
18312 @item parity
18313 The picture field parity assumed for the input interlaced video. It accepts one
18314 of the following values:
18315
18316 @table @option
18317 @item 0, tff
18318 Assume the top field is first.
18319 @item 1, bff
18320 Assume the bottom field is first.
18321 @item -1, auto
18322 Enable automatic detection of field parity.
18323 @end table
18324
18325 The default value is @code{auto}.
18326 If the interlacing is unknown or the decoder does not export this information,
18327 top field first will be assumed.
18328
18329 @item deint
18330 Specify which frames to deinterlace. Accept one of the following
18331 values:
18332
18333 @table @option
18334 @item 0, all
18335 Deinterlace all frames.
18336 @item 1, interlaced
18337 Only deinterlace frames marked as interlaced.
18338 @end table
18339
18340 The default value is @code{all}.
18341 @end table
18342
18343 @section zoompan
18344
18345 Apply Zoom & Pan effect.
18346
18347 This filter accepts the following options:
18348
18349 @table @option
18350 @item zoom, z
18351 Set the zoom expression. Default is 1.
18352
18353 @item x
18354 @item y
18355 Set the x and y expression. Default is 0.
18356
18357 @item d
18358 Set the duration expression in number of frames.
18359 This sets for how many number of frames effect will last for
18360 single input image.
18361
18362 @item s
18363 Set the output image size, default is 'hd720'.
18364
18365 @item fps
18366 Set the output frame rate, default is '25'.
18367 @end table
18368
18369 Each expression can contain the following constants:
18370
18371 @table @option
18372 @item in_w, iw
18373 Input width.
18374
18375 @item in_h, ih
18376 Input height.
18377
18378 @item out_w, ow
18379 Output width.
18380
18381 @item out_h, oh
18382 Output height.
18383
18384 @item in
18385 Input frame count.
18386
18387 @item on
18388 Output frame count.
18389
18390 @item x
18391 @item y
18392 Last calculated 'x' and 'y' position from 'x' and 'y' expression
18393 for current input frame.
18394
18395 @item px
18396 @item py
18397 'x' and 'y' of last output frame of previous input frame or 0 when there was
18398 not yet such frame (first input frame).
18399
18400 @item zoom
18401 Last calculated zoom from 'z' expression for current input frame.
18402
18403 @item pzoom
18404 Last calculated zoom of last output frame of previous input frame.
18405
18406 @item duration
18407 Number of output frames for current input frame. Calculated from 'd' expression
18408 for each input frame.
18409
18410 @item pduration
18411 number of output frames created for previous input frame
18412
18413 @item a
18414 Rational number: input width / input height
18415
18416 @item sar
18417 sample aspect ratio
18418
18419 @item dar
18420 display aspect ratio
18421
18422 @end table
18423
18424 @subsection Examples
18425
18426 @itemize
18427 @item
18428 Zoom-in up to 1.5 and pan at same time to some spot near center of picture:
18429 @example
18430 zoompan=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
18431 @end example
18432
18433 @item
18434 Zoom-in up to 1.5 and pan always at center of picture:
18435 @example
18436 zoompan=z='min(zoom+0.0015,1.5)':d=700:x='iw/2-(iw/zoom/2)':y='ih/2-(ih/zoom/2)'
18437 @end example
18438
18439 @item
18440 Same as above but without pausing:
18441 @example
18442 zoompan=z='min(max(zoom,pzoom)+0.0015,1.5)':d=1:x='iw/2-(iw/zoom/2)':y='ih/2-(ih/zoom/2)'
18443 @end example
18444 @end itemize
18445
18446 @anchor{zscale}
18447 @section zscale
18448 Scale (resize) the input video, using the z.lib library:
18449 @url{https://github.com/sekrit-twc/zimg}. To enable compilation of this
18450 filter, you need to configure FFmpeg with @code{--enable-libzimg}.
18451
18452 The zscale filter forces the output display aspect ratio to be the same
18453 as the input, by changing the output sample aspect ratio.
18454
18455 If the input image format is different from the format requested by
18456 the next filter, the zscale filter will convert the input to the
18457 requested format.
18458
18459 @subsection Options
18460 The filter accepts the following options.
18461
18462 @table @option
18463 @item width, w
18464 @item height, h
18465 Set the output video dimension expression. Default value is the input
18466 dimension.
18467
18468 If the @var{width} or @var{w} value is 0, the input width is used for
18469 the output. If the @var{height} or @var{h} value is 0, the input height
18470 is used for the output.
18471
18472 If one and only one of the values is -n with n >= 1, the zscale filter
18473 will use a value that maintains the aspect ratio of the input image,
18474 calculated from the other specified dimension. After that it will,
18475 however, make sure that the calculated dimension is divisible by n and
18476 adjust the value if necessary.
18477
18478 If both values are -n with n >= 1, the behavior will be identical to
18479 both values being set to 0 as previously detailed.
18480
18481 See below for the list of accepted constants for use in the dimension
18482 expression.
18483
18484 @item size, s
18485 Set the video size. For the syntax of this option, check the
18486 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
18487
18488 @item dither, d
18489 Set the dither type.
18490
18491 Possible values are:
18492 @table @var
18493 @item none
18494 @item ordered
18495 @item random
18496 @item error_diffusion
18497 @end table
18498
18499 Default is none.
18500
18501 @item filter, f
18502 Set the resize filter type.
18503
18504 Possible values are:
18505 @table @var
18506 @item point
18507 @item bilinear
18508 @item bicubic
18509 @item spline16
18510 @item spline36
18511 @item lanczos
18512 @end table
18513
18514 Default is bilinear.
18515
18516 @item range, r
18517 Set the color range.
18518
18519 Possible values are:
18520 @table @var
18521 @item input
18522 @item limited
18523 @item full
18524 @end table
18525
18526 Default is same as input.
18527
18528 @item primaries, p
18529 Set the color primaries.
18530
18531 Possible values are:
18532 @table @var
18533 @item input
18534 @item 709
18535 @item unspecified
18536 @item 170m
18537 @item 240m
18538 @item 2020
18539 @end table
18540
18541 Default is same as input.
18542
18543 @item transfer, t
18544 Set the transfer characteristics.
18545
18546 Possible values are:
18547 @table @var
18548 @item input
18549 @item 709
18550 @item unspecified
18551 @item 601
18552 @item linear
18553 @item 2020_10
18554 @item 2020_12
18555 @item smpte2084
18556 @item iec61966-2-1
18557 @item arib-std-b67
18558 @end table
18559
18560 Default is same as input.
18561
18562 @item matrix, m
18563 Set the colorspace matrix.
18564
18565 Possible value are:
18566 @table @var
18567 @item input
18568 @item 709
18569 @item unspecified
18570 @item 470bg
18571 @item 170m
18572 @item 2020_ncl
18573 @item 2020_cl
18574 @end table
18575
18576 Default is same as input.
18577
18578 @item rangein, rin
18579 Set the input color range.
18580
18581 Possible values are:
18582 @table @var
18583 @item input
18584 @item limited
18585 @item full
18586 @end table
18587
18588 Default is same as input.
18589
18590 @item primariesin, pin
18591 Set the input color primaries.
18592
18593 Possible values are:
18594 @table @var
18595 @item input
18596 @item 709
18597 @item unspecified
18598 @item 170m
18599 @item 240m
18600 @item 2020
18601 @end table
18602
18603 Default is same as input.
18604
18605 @item transferin, tin
18606 Set the input transfer characteristics.
18607
18608 Possible values are:
18609 @table @var
18610 @item input
18611 @item 709
18612 @item unspecified
18613 @item 601
18614 @item linear
18615 @item 2020_10
18616 @item 2020_12
18617 @end table
18618
18619 Default is same as input.
18620
18621 @item matrixin, min
18622 Set the input colorspace matrix.
18623
18624 Possible value are:
18625 @table @var
18626 @item input
18627 @item 709
18628 @item unspecified
18629 @item 470bg
18630 @item 170m
18631 @item 2020_ncl
18632 @item 2020_cl
18633 @end table
18634
18635 @item chromal, c
18636 Set the output chroma location.
18637
18638 Possible values are:
18639 @table @var
18640 @item input
18641 @item left
18642 @item center
18643 @item topleft
18644 @item top
18645 @item bottomleft
18646 @item bottom
18647 @end table
18648
18649 @item chromalin, cin
18650 Set the input chroma location.
18651
18652 Possible values are:
18653 @table @var
18654 @item input
18655 @item left
18656 @item center
18657 @item topleft
18658 @item top
18659 @item bottomleft
18660 @item bottom
18661 @end table
18662
18663 @item npl
18664 Set the nominal peak luminance.
18665 @end table
18666
18667 The values of the @option{w} and @option{h} options are expressions
18668 containing the following constants:
18669
18670 @table @var
18671 @item in_w
18672 @item in_h
18673 The input width and height
18674
18675 @item iw
18676 @item ih
18677 These are the same as @var{in_w} and @var{in_h}.
18678
18679 @item out_w
18680 @item out_h
18681 The output (scaled) width and height
18682
18683 @item ow
18684 @item oh
18685 These are the same as @var{out_w} and @var{out_h}
18686
18687 @item a
18688 The same as @var{iw} / @var{ih}
18689
18690 @item sar
18691 input sample aspect ratio
18692
18693 @item dar
18694 The input display aspect ratio. Calculated from @code{(iw / ih) * sar}.
18695
18696 @item hsub
18697 @item vsub
18698 horizontal and vertical input chroma subsample values. For example for the
18699 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
18700
18701 @item ohsub
18702 @item ovsub
18703 horizontal and vertical output chroma subsample values. For example for the
18704 pixel format "yuv422p" @var{hsub} is 2 and @var{vsub} is 1.
18705 @end table
18706
18707 @table @option
18708 @end table
18709
18710 @c man end VIDEO FILTERS
18711
18712 @chapter OpenCL Video Filters
18713 @c man begin OPENCL VIDEO FILTERS
18714
18715 Below is a description of the currently available OpenCL video filters.
18716
18717 To enable compilation of these filters you need to configure FFmpeg with
18718 @code{--enable-opencl}.
18719
18720 Running OpenCL filters requires you to initialize a hardware device and to pass that device to all filters in any filter graph.
18721 @table @option
18722
18723 @item -init_hw_device opencl[=@var{name}][:@var{device}[,@var{key=value}...]]
18724 Initialise a new hardware device of type @var{opencl} called @var{name}, using the
18725 given device parameters.
18726
18727 @item -filter_hw_device @var{name}
18728 Pass the hardware device called @var{name} to all filters in any filter graph.
18729
18730 @end table
18731
18732 For more detailed information see @url{https://www.ffmpeg.org/ffmpeg.html#Advanced-Video-options}
18733
18734 @itemize
18735 @item
18736 Example of choosing the first device on the second platform and running avgblur_opencl filter with default parameters on it.
18737 @example
18738 -init_hw_device opencl=gpu:1.0 -filter_hw_device gpu -i INPUT -vf "hwupload, avgblur_opencl, hwdownload" OUTPUT
18739 @end example
18740 @end itemize
18741
18742 Since OpenCL filters are not able to access frame data in normal memory, all frame data needs to be uploaded(@ref{hwupload}) to hardware surfaces connected to the appropriate device before being used and then downloaded(@ref{hwdownload}) back to normal memory. Note that @ref{hwupload} will upload to a surface with the same layout as the software frame, so it may be necessary to add a @ref{format} filter immediately before to get the input into the right format and @ref{hwdownload} does not support all formats on the output - it may be necessary to insert an additional @ref{format} filter immediately following in the graph to get the output in a supported format.
18743
18744 @section avgblur_opencl
18745
18746 Apply average blur filter.
18747
18748 The filter accepts the following options:
18749
18750 @table @option
18751 @item sizeX
18752 Set horizontal radius size.
18753 Range is @code{[1, 1024]} and default value is @code{1}.
18754
18755 @item planes
18756 Set which planes to filter. Default value is @code{0xf}, by which all planes are processed.
18757
18758 @item sizeY
18759 Set vertical radius size. Range is @code{[1, 1024]} and default value is @code{0}. If zero, @code{sizeX} value will be used.
18760 @end table
18761
18762 @subsection Example
18763
18764 @itemize
18765 @item
18766 Apply average blur filter with horizontal and vertical size of 3, setting each pixel of the output to the average value of the 7x7 region centered on it in the input. For pixels on the edges of the image, the region does not extend beyond the image boundaries, and so out-of-range coordinates are not used in the calculations.
18767 @example
18768 -i INPUT -vf "hwupload, avgblur_opencl=3, hwdownload" OUTPUT
18769 @end example
18770 @end itemize
18771
18772 @section boxblur_opencl
18773
18774 Apply a boxblur algorithm to the input video.
18775
18776 It accepts the following parameters:
18777
18778 @table @option
18779
18780 @item luma_radius, lr
18781 @item luma_power, lp
18782 @item chroma_radius, cr
18783 @item chroma_power, cp
18784 @item alpha_radius, ar
18785 @item alpha_power, ap
18786
18787 @end table
18788
18789 A description of the accepted options follows.
18790
18791 @table @option
18792 @item luma_radius, lr
18793 @item chroma_radius, cr
18794 @item alpha_radius, ar
18795 Set an expression for the box radius in pixels used for blurring the
18796 corresponding input plane.
18797
18798 The radius value must be a non-negative number, and must not be
18799 greater than the value of the expression @code{min(w,h)/2} for the
18800 luma and alpha planes, and of @code{min(cw,ch)/2} for the chroma
18801 planes.
18802
18803 Default value for @option{luma_radius} is "2". If not specified,
18804 @option{chroma_radius} and @option{alpha_radius} default to the
18805 corresponding value set for @option{luma_radius}.
18806
18807 The expressions can contain the following constants:
18808 @table @option
18809 @item w
18810 @item h
18811 The input width and height in pixels.
18812
18813 @item cw
18814 @item ch
18815 The input chroma image width and height in pixels.
18816
18817 @item hsub
18818 @item vsub
18819 The horizontal and vertical chroma subsample values. For example, for the
18820 pixel format "yuv422p", @var{hsub} is 2 and @var{vsub} is 1.
18821 @end table
18822
18823 @item luma_power, lp
18824 @item chroma_power, cp
18825 @item alpha_power, ap
18826 Specify how many times the boxblur filter is applied to the
18827 corresponding plane.
18828
18829 Default value for @option{luma_power} is 2. If not specified,
18830 @option{chroma_power} and @option{alpha_power} default to the
18831 corresponding value set for @option{luma_power}.
18832
18833 A value of 0 will disable the effect.
18834 @end table
18835
18836 @subsection Examples
18837
18838 Apply boxblur filter, setting each pixel of the output to the average value of box-radiuses @var{luma_radius}, @var{chroma_radius}, @var{alpha_radius} for each plane respectively. The filter will apply @var{luma_power}, @var{chroma_power}, @var{alpha_power} times onto the corresponding plane. For pixels on the edges of the image, the radius does not extend beyond the image boundaries, and so out-of-range coordinates are not used in the calculations.
18839
18840 @itemize
18841 @item
18842 Apply a boxblur filter with the luma, chroma, and alpha radius
18843 set to 2 and luma, chroma, and alpha power set to 3. The filter will run 3 times with box-radius set to 2 for every plane of the image.
18844 @example
18845 -i INPUT -vf "hwupload, boxblur_opencl=luma_radius=2:luma_power=3, hwdownload" OUTPUT
18846 -i INPUT -vf "hwupload, boxblur_opencl=2:3, hwdownload" OUTPUT
18847 @end example
18848
18849 @item
18850 Apply a boxblur filter with luma radius set to 2, luma_power to 1, chroma_radius to 4, chroma_power to 5, alpha_radius to 3 and alpha_power to 7.
18851
18852 For the luma plane, a 2x2 box radius will be run once.
18853
18854 For the chroma plane, a 4x4 box radius will be run 5 times.
18855
18856 For the alpha plane, a 3x3 box radius will be run 7 times.
18857 @example
18858 -i INPUT -vf "hwupload, boxblur_opencl=2:1:4:5:3:7, hwdownload" OUTPUT
18859 @end example
18860 @end itemize
18861
18862 @section convolution_opencl
18863
18864 Apply convolution of 3x3, 5x5, 7x7 matrix.
18865
18866 The filter accepts the following options:
18867
18868 @table @option
18869 @item 0m
18870 @item 1m
18871 @item 2m
18872 @item 3m
18873 Set matrix for each plane.
18874 Matrix is sequence of 9, 25 or 49 signed numbers.
18875 Default value for each plane is @code{0 0 0 0 1 0 0 0 0}.
18876
18877 @item 0rdiv
18878 @item 1rdiv
18879 @item 2rdiv
18880 @item 3rdiv
18881 Set multiplier for calculated value for each plane.
18882 If unset or 0, it will be sum of all matrix elements.
18883 The option value must be a float number greater or equal to @code{0.0}. Default value is @code{1.0}.
18884
18885 @item 0bias
18886 @item 1bias
18887 @item 2bias
18888 @item 3bias
18889 Set bias for each plane. This value is added to the result of the multiplication.
18890 Useful for making the overall image brighter or darker.
18891 The option value must be a float number greater or equal to @code{0.0}. Default value is @code{0.0}.
18892
18893 @end table
18894
18895 @subsection Examples
18896
18897 @itemize
18898 @item
18899 Apply sharpen:
18900 @example
18901 -i INPUT -vf "hwupload, convolution_opencl=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, hwdownload" OUTPUT
18902 @end example
18903
18904 @item
18905 Apply blur:
18906 @example
18907 -i INPUT -vf "hwupload, convolution_opencl=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, hwdownload" OUTPUT
18908 @end example
18909
18910 @item
18911 Apply edge enhance:
18912 @example
18913 -i INPUT -vf "hwupload, convolution_opencl=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, hwdownload" OUTPUT
18914 @end example
18915
18916 @item
18917 Apply edge detect:
18918 @example
18919 -i INPUT -vf "hwupload, convolution_opencl=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, hwdownload" OUTPUT
18920 @end example
18921
18922 @item
18923 Apply laplacian edge detector which includes diagonals:
18924 @example
18925 -i INPUT -vf "hwupload, convolution_opencl=1 1 1 1 -8 1 1 1 1:1 1 1 1 -8 1 1 1 1:1 1 1 1 -8 1 1 1 1:1 1 1 1 -8 1 1 1 1:5:5:5:1:0:128:128:0, hwdownload" OUTPUT
18926 @end example
18927
18928 @item
18929 Apply emboss:
18930 @example
18931 -i INPUT -vf "hwupload, convolution_opencl=-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, hwdownload" OUTPUT
18932 @end example
18933 @end itemize
18934
18935 @section dilation_opencl
18936
18937 Apply dilation effect to the video.
18938
18939 This filter replaces the pixel by the local(3x3) maximum.
18940
18941 It accepts the following options:
18942
18943 @table @option
18944 @item threshold0
18945 @item threshold1
18946 @item threshold2
18947 @item threshold3
18948 Limit the maximum change for each plane. Range is @code{[0, 65535]} and default value is @code{65535}.
18949 If @code{0}, plane will remain unchanged.
18950
18951 @item coordinates
18952 Flag which specifies the pixel to refer to.
18953 Range is @code{[0, 255]} and default value is @code{255}, i.e. all eight pixels are used.
18954
18955 Flags to local 3x3 coordinates region centered on @code{x}:
18956
18957     1 2 3
18958
18959     4 x 5
18960
18961     6 7 8
18962 @end table
18963
18964 @subsection Example
18965
18966 @itemize
18967 @item
18968 Apply dilation filter with threshold0 set to 30, threshold1 set 40, threshold2 set to 50 and coordinates set to 231, setting each pixel of the output to the local maximum between pixels: 1, 2, 3, 6, 7, 8 of the 3x3 region centered on it in the input. If the difference between input pixel and local maximum is more then threshold of the corresponding plane, output pixel will be set to input pixel + threshold of corresponding plane.
18969 @example
18970 -i INPUT -vf "hwupload, dilation_opencl=30:40:50:coordinates=231, hwdownload" OUTPUT
18971 @end example
18972 @end itemize
18973
18974 @section erosion_opencl
18975
18976 Apply erosion effect to the video.
18977
18978 This filter replaces the pixel by the local(3x3) minimum.
18979
18980 It accepts the following options:
18981
18982 @table @option
18983 @item threshold0
18984 @item threshold1
18985 @item threshold2
18986 @item threshold3
18987 Limit the maximum change for each plane. Range is @code{[0, 65535]} and default value is @code{65535}.
18988 If @code{0}, plane will remain unchanged.
18989
18990 @item coordinates
18991 Flag which specifies the pixel to refer to.
18992 Range is @code{[0, 255]} and default value is @code{255}, i.e. all eight pixels are used.
18993
18994 Flags to local 3x3 coordinates region centered on @code{x}:
18995
18996     1 2 3
18997
18998     4 x 5
18999
19000     6 7 8
19001 @end table
19002
19003 @subsection Example
19004
19005 @itemize
19006 @item
19007 Apply erosion filter with threshold0 set to 30, threshold1 set 40, threshold2 set to 50 and coordinates set to 231, setting each pixel of the output to the local minimum between pixels: 1, 2, 3, 6, 7, 8 of the 3x3 region centered on it in the input. If the difference between input pixel and local minimum is more then threshold of the corresponding plane, output pixel will be set to input pixel - threshold of corresponding plane.
19008 @example
19009 -i INPUT -vf "hwupload, erosion_opencl=30:40:50:coordinates=231, hwdownload" OUTPUT
19010 @end example
19011 @end itemize
19012
19013 @section overlay_opencl
19014
19015 Overlay one video on top of another.
19016
19017 It takes two inputs and has one output. The first input is the "main" video on which the second input is overlaid.
19018 This filter requires same memory layout for all the inputs. So, format conversion may be needed.
19019
19020 The filter accepts the following options:
19021
19022 @table @option
19023
19024 @item x
19025 Set the x coordinate of the overlaid video on the main video.
19026 Default value is @code{0}.
19027
19028 @item y
19029 Set the x coordinate of the overlaid video on the main video.
19030 Default value is @code{0}.
19031
19032 @end table
19033
19034 @subsection Examples
19035
19036 @itemize
19037 @item
19038 Overlay an image LOGO at the top-left corner of the INPUT video. Both inputs are yuv420p format.
19039 @example
19040 -i INPUT -i LOGO -filter_complex "[0:v]hwupload[a], [1:v]format=yuv420p, hwupload[b], [a][b]overlay_opencl, hwdownload" OUTPUT
19041 @end example
19042 @item
19043 The inputs have same memory layout for color channels , the overlay has additional alpha plane, like INPUT is yuv420p, and the LOGO is yuva420p.
19044 @example
19045 -i INPUT -i LOGO -filter_complex "[0:v]hwupload[a], [1:v]format=yuva420p, hwupload[b], [a][b]overlay_opencl, hwdownload" OUTPUT
19046 @end example
19047
19048 @end itemize
19049
19050 @section prewitt_opencl
19051
19052 Apply the Prewitt operator (@url{https://en.wikipedia.org/wiki/Prewitt_operator}) to input video stream.
19053
19054 The filter accepts the following option:
19055
19056 @table @option
19057 @item planes
19058 Set which planes to filter. Default value is @code{0xf}, by which all planes are processed.
19059
19060 @item scale
19061 Set value which will be multiplied with filtered result.
19062 Range is @code{[0.0, 65535]} and default value is @code{1.0}.
19063
19064 @item delta
19065 Set value which will be added to filtered result.
19066 Range is @code{[-65535, 65535]} and default value is @code{0.0}.
19067 @end table
19068
19069 @subsection Example
19070
19071 @itemize
19072 @item
19073 Apply the Prewitt operator with scale set to 2 and delta set to 10.
19074 @example
19075 -i INPUT -vf "hwupload, prewitt_opencl=scale=2:delta=10, hwdownload" OUTPUT
19076 @end example
19077 @end itemize
19078
19079 @section roberts_opencl
19080 Apply the Roberts cross operator (@url{https://en.wikipedia.org/wiki/Roberts_cross}) to input video stream.
19081
19082 The filter accepts the following option:
19083
19084 @table @option
19085 @item planes
19086 Set which planes to filter. Default value is @code{0xf}, by which all planes are processed.
19087
19088 @item scale
19089 Set value which will be multiplied with filtered result.
19090 Range is @code{[0.0, 65535]} and default value is @code{1.0}.
19091
19092 @item delta
19093 Set value which will be added to filtered result.
19094 Range is @code{[-65535, 65535]} and default value is @code{0.0}.
19095 @end table
19096
19097 @subsection Example
19098
19099 @itemize
19100 @item
19101 Apply the Roberts cross operator with scale set to 2 and delta set to 10
19102 @example
19103 -i INPUT -vf "hwupload, roberts_opencl=scale=2:delta=10, hwdownload" OUTPUT
19104 @end example
19105 @end itemize
19106
19107 @section sobel_opencl
19108
19109 Apply the Sobel operator (@url{https://en.wikipedia.org/wiki/Sobel_operator}) to input video stream.
19110
19111 The filter accepts the following option:
19112
19113 @table @option
19114 @item planes
19115 Set which planes to filter. Default value is @code{0xf}, by which all planes are processed.
19116
19117 @item scale
19118 Set value which will be multiplied with filtered result.
19119 Range is @code{[0.0, 65535]} and default value is @code{1.0}.
19120
19121 @item delta
19122 Set value which will be added to filtered result.
19123 Range is @code{[-65535, 65535]} and default value is @code{0.0}.
19124 @end table
19125
19126 @subsection Example
19127
19128 @itemize
19129 @item
19130 Apply sobel operator with scale set to 2 and delta set to 10
19131 @example
19132 -i INPUT -vf "hwupload, sobel_opencl=scale=2:delta=10, hwdownload" OUTPUT
19133 @end example
19134 @end itemize
19135
19136 @section tonemap_opencl
19137
19138 Perform HDR(PQ/HLG) to SDR conversion with tone-mapping.
19139
19140 It accepts the following parameters:
19141
19142 @table @option
19143 @item tonemap
19144 Specify the tone-mapping operator to be used. Same as tonemap option in @ref{tonemap}.
19145
19146 @item param
19147 Tune the tone mapping algorithm. same as param option in @ref{tonemap}.
19148
19149 @item desat
19150 Apply desaturation for highlights that exceed this level of brightness. The
19151 higher the parameter, the more color information will be preserved. This
19152 setting helps prevent unnaturally blown-out colors for super-highlights, by
19153 (smoothly) turning into white instead. This makes images feel more natural,
19154 at the cost of reducing information about out-of-range colors.
19155
19156 The default value is 0.5, and the algorithm here is a little different from
19157 the cpu version tonemap currently. A setting of 0.0 disables this option.
19158
19159 @item threshold
19160 The tonemapping algorithm parameters is fine-tuned per each scene. And a threshold
19161 is used to detect whether the scene has changed or not. If the distance between
19162 the current frame average brightness and the current running average exceeds
19163 a threshold value, we would re-calculate scene average and peak brightness.
19164 The default value is 0.2.
19165
19166 @item format
19167 Specify the output pixel format.
19168
19169 Currently supported formats are:
19170 @table @var
19171 @item p010
19172 @item nv12
19173 @end table
19174
19175 @item range, r
19176 Set the output color range.
19177
19178 Possible values are:
19179 @table @var
19180 @item tv/mpeg
19181 @item pc/jpeg
19182 @end table
19183
19184 Default is same as input.
19185
19186 @item primaries, p
19187 Set the output color primaries.
19188
19189 Possible values are:
19190 @table @var
19191 @item bt709
19192 @item bt2020
19193 @end table
19194
19195 Default is same as input.
19196
19197 @item transfer, t
19198 Set the output transfer characteristics.
19199
19200 Possible values are:
19201 @table @var
19202 @item bt709
19203 @item bt2020
19204 @end table
19205
19206 Default is bt709.
19207
19208 @item matrix, m
19209 Set the output colorspace matrix.
19210
19211 Possible value are:
19212 @table @var
19213 @item bt709
19214 @item bt2020
19215 @end table
19216
19217 Default is same as input.
19218
19219 @end table
19220
19221 @subsection Example
19222
19223 @itemize
19224 @item
19225 Convert HDR(PQ/HLG) video to bt2020-transfer-characteristic p010 format using linear operator.
19226 @example
19227 -i INPUT -vf "format=p010,hwupload,tonemap_opencl=t=bt2020:tonemap=linear:format=p010,hwdownload,format=p010" OUTPUT
19228 @end example
19229 @end itemize
19230
19231 @section unsharp_opencl
19232
19233 Sharpen or blur the input video.
19234
19235 It accepts the following parameters:
19236
19237 @table @option
19238 @item luma_msize_x, lx
19239 Set the luma matrix horizontal size.
19240 Range is @code{[1, 23]} and default value is @code{5}.
19241
19242 @item luma_msize_y, ly
19243 Set the luma matrix vertical size.
19244 Range is @code{[1, 23]} and default value is @code{5}.
19245
19246 @item luma_amount, la
19247 Set the luma effect strength.
19248 Range is @code{[-10, 10]} and default value is @code{1.0}.
19249
19250 Negative values will blur the input video, while positive values will
19251 sharpen it, a value of zero will disable the effect.
19252
19253 @item chroma_msize_x, cx
19254 Set the chroma matrix horizontal size.
19255 Range is @code{[1, 23]} and default value is @code{5}.
19256
19257 @item chroma_msize_y, cy
19258 Set the chroma matrix vertical size.
19259 Range is @code{[1, 23]} and default value is @code{5}.
19260
19261 @item chroma_amount, ca
19262 Set the chroma effect strength.
19263 Range is @code{[-10, 10]} and default value is @code{0.0}.
19264
19265 Negative values will blur the input video, while positive values will
19266 sharpen it, a value of zero will disable the effect.
19267
19268 @end table
19269
19270 All parameters are optional and default to the equivalent of the
19271 string '5:5:1.0:5:5:0.0'.
19272
19273 @subsection Examples
19274
19275 @itemize
19276 @item
19277 Apply strong luma sharpen effect:
19278 @example
19279 -i INPUT -vf "hwupload, unsharp_opencl=luma_msize_x=7:luma_msize_y=7:luma_amount=2.5, hwdownload" OUTPUT
19280 @end example
19281
19282 @item
19283 Apply a strong blur of both luma and chroma parameters:
19284 @example
19285 -i INPUT -vf "hwupload, unsharp_opencl=7:7:-2:7:7:-2, hwdownload" OUTPUT
19286 @end example
19287 @end itemize
19288
19289 @c man end OPENCL VIDEO FILTERS
19290
19291 @chapter Video Sources
19292 @c man begin VIDEO SOURCES
19293
19294 Below is a description of the currently available video sources.
19295
19296 @section buffer
19297
19298 Buffer video frames, and make them available to the filter chain.
19299
19300 This source is mainly intended for a programmatic use, in particular
19301 through the interface defined in @file{libavfilter/vsrc_buffer.h}.
19302
19303 It accepts the following parameters:
19304
19305 @table @option
19306
19307 @item video_size
19308 Specify the size (width and height) of the buffered video frames. For the
19309 syntax of this option, check the
19310 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
19311
19312 @item width
19313 The input video width.
19314
19315 @item height
19316 The input video height.
19317
19318 @item pix_fmt
19319 A string representing the pixel format of the buffered video frames.
19320 It may be a number corresponding to a pixel format, or a pixel format
19321 name.
19322
19323 @item time_base
19324 Specify the timebase assumed by the timestamps of the buffered frames.
19325
19326 @item frame_rate
19327 Specify the frame rate expected for the video stream.
19328
19329 @item pixel_aspect, sar
19330 The sample (pixel) aspect ratio of the input video.
19331
19332 @item sws_param
19333 Specify the optional parameters to be used for the scale filter which
19334 is automatically inserted when an input change is detected in the
19335 input size or format.
19336
19337 @item hw_frames_ctx
19338 When using a hardware pixel format, this should be a reference to an
19339 AVHWFramesContext describing input frames.
19340 @end table
19341
19342 For example:
19343 @example
19344 buffer=width=320:height=240:pix_fmt=yuv410p:time_base=1/24:sar=1
19345 @end example
19346
19347 will instruct the source to accept video frames with size 320x240 and
19348 with format "yuv410p", assuming 1/24 as the timestamps timebase and
19349 square pixels (1:1 sample aspect ratio).
19350 Since the pixel format with name "yuv410p" corresponds to the number 6
19351 (check the enum AVPixelFormat definition in @file{libavutil/pixfmt.h}),
19352 this example corresponds to:
19353 @example
19354 buffer=size=320x240:pixfmt=6:time_base=1/24:pixel_aspect=1/1
19355 @end example
19356
19357 Alternatively, the options can be specified as a flat string, but this
19358 syntax is deprecated:
19359
19360 @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}]
19361
19362 @section cellauto
19363
19364 Create a pattern generated by an elementary cellular automaton.
19365
19366 The initial state of the cellular automaton can be defined through the
19367 @option{filename} and @option{pattern} options. If such options are
19368 not specified an initial state is created randomly.
19369
19370 At each new frame a new row in the video is filled with the result of
19371 the cellular automaton next generation. The behavior when the whole
19372 frame is filled is defined by the @option{scroll} option.
19373
19374 This source accepts the following options:
19375
19376 @table @option
19377 @item filename, f
19378 Read the initial cellular automaton state, i.e. the starting row, from
19379 the specified file.
19380 In the file, each non-whitespace character is considered an alive
19381 cell, a newline will terminate the row, and further characters in the
19382 file will be ignored.
19383
19384 @item pattern, p
19385 Read the initial cellular automaton state, i.e. the starting row, from
19386 the specified string.
19387
19388 Each non-whitespace character in the string is considered an alive
19389 cell, a newline will terminate the row, and further characters in the
19390 string will be ignored.
19391
19392 @item rate, r
19393 Set the video rate, that is the number of frames generated per second.
19394 Default is 25.
19395
19396 @item random_fill_ratio, ratio
19397 Set the random fill ratio for the initial cellular automaton row. It
19398 is a floating point number value ranging from 0 to 1, defaults to
19399 1/PHI.
19400
19401 This option is ignored when a file or a pattern is specified.
19402
19403 @item random_seed, seed
19404 Set the seed for filling randomly the initial row, must be an integer
19405 included between 0 and UINT32_MAX. If not specified, or if explicitly
19406 set to -1, the filter will try to use a good random seed on a best
19407 effort basis.
19408
19409 @item rule
19410 Set the cellular automaton rule, it is a number ranging from 0 to 255.
19411 Default value is 110.
19412
19413 @item size, s
19414 Set the size of the output video. For the syntax of this option, check the
19415 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
19416
19417 If @option{filename} or @option{pattern} is specified, the size is set
19418 by default to the width of the specified initial state row, and the
19419 height is set to @var{width} * PHI.
19420
19421 If @option{size} is set, it must contain the width of the specified
19422 pattern string, and the specified pattern will be centered in the
19423 larger row.
19424
19425 If a filename or a pattern string is not specified, the size value
19426 defaults to "320x518" (used for a randomly generated initial state).
19427
19428 @item scroll
19429 If set to 1, scroll the output upward when all the rows in the output
19430 have been already filled. If set to 0, the new generated row will be
19431 written over the top row just after the bottom row is filled.
19432 Defaults to 1.
19433
19434 @item start_full, full
19435 If set to 1, completely fill the output with generated rows before
19436 outputting the first frame.
19437 This is the default behavior, for disabling set the value to 0.
19438
19439 @item stitch
19440 If set to 1, stitch the left and right row edges together.
19441 This is the default behavior, for disabling set the value to 0.
19442 @end table
19443
19444 @subsection Examples
19445
19446 @itemize
19447 @item
19448 Read the initial state from @file{pattern}, and specify an output of
19449 size 200x400.
19450 @example
19451 cellauto=f=pattern:s=200x400
19452 @end example
19453
19454 @item
19455 Generate a random initial row with a width of 200 cells, with a fill
19456 ratio of 2/3:
19457 @example
19458 cellauto=ratio=2/3:s=200x200
19459 @end example
19460
19461 @item
19462 Create a pattern generated by rule 18 starting by a single alive cell
19463 centered on an initial row with width 100:
19464 @example
19465 cellauto=p=@@:s=100x400:full=0:rule=18
19466 @end example
19467
19468 @item
19469 Specify a more elaborated initial pattern:
19470 @example
19471 cellauto=p='@@@@ @@ @@@@':s=100x400:full=0:rule=18
19472 @end example
19473
19474 @end itemize
19475
19476 @anchor{coreimagesrc}
19477 @section coreimagesrc
19478 Video source generated on GPU using Apple's CoreImage API on OSX.
19479
19480 This video source is a specialized version of the @ref{coreimage} video filter.
19481 Use a core image generator at the beginning of the applied filterchain to
19482 generate the content.
19483
19484 The coreimagesrc video source accepts the following options:
19485 @table @option
19486 @item list_generators
19487 List all available generators along with all their respective options as well as
19488 possible minimum and maximum values along with the default values.
19489 @example
19490 list_generators=true
19491 @end example
19492
19493 @item size, s
19494 Specify the size of the sourced video. For the syntax of this option, check the
19495 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
19496 The default value is @code{320x240}.
19497
19498 @item rate, r
19499 Specify the frame rate of the sourced video, as the number of frames
19500 generated per second. It has to be a string in the format
19501 @var{frame_rate_num}/@var{frame_rate_den}, an integer number, a floating point
19502 number or a valid video frame rate abbreviation. The default value is
19503 "25".
19504
19505 @item sar
19506 Set the sample aspect ratio of the sourced video.
19507
19508 @item duration, d
19509 Set the duration of the sourced video. See
19510 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
19511 for the accepted syntax.
19512
19513 If not specified, or the expressed duration is negative, the video is
19514 supposed to be generated forever.
19515 @end table
19516
19517 Additionally, all options of the @ref{coreimage} video filter are accepted.
19518 A complete filterchain can be used for further processing of the
19519 generated input without CPU-HOST transfer. See @ref{coreimage} documentation
19520 and examples for details.
19521
19522 @subsection Examples
19523
19524 @itemize
19525
19526 @item
19527 Use CIQRCodeGenerator to create a QR code for the FFmpeg homepage,
19528 given as complete and escaped command-line for Apple's standard bash shell:
19529 @example
19530 ffmpeg -f lavfi -i coreimagesrc=s=100x100:filter=CIQRCodeGenerator@@inputMessage=https\\\\\://FFmpeg.org/@@inputCorrectionLevel=H -frames:v 1 QRCode.png
19531 @end example
19532 This example is equivalent to the QRCode example of @ref{coreimage} without the
19533 need for a nullsrc video source.
19534 @end itemize
19535
19536
19537 @section mandelbrot
19538
19539 Generate a Mandelbrot set fractal, and progressively zoom towards the
19540 point specified with @var{start_x} and @var{start_y}.
19541
19542 This source accepts the following options:
19543
19544 @table @option
19545
19546 @item end_pts
19547 Set the terminal pts value. Default value is 400.
19548
19549 @item end_scale
19550 Set the terminal scale value.
19551 Must be a floating point value. Default value is 0.3.
19552
19553 @item inner
19554 Set the inner coloring mode, that is the algorithm used to draw the
19555 Mandelbrot fractal internal region.
19556
19557 It shall assume one of the following values:
19558 @table @option
19559 @item black
19560 Set black mode.
19561 @item convergence
19562 Show time until convergence.
19563 @item mincol
19564 Set color based on point closest to the origin of the iterations.
19565 @item period
19566 Set period mode.
19567 @end table
19568
19569 Default value is @var{mincol}.
19570
19571 @item bailout
19572 Set the bailout value. Default value is 10.0.
19573
19574 @item maxiter
19575 Set the maximum of iterations performed by the rendering
19576 algorithm. Default value is 7189.
19577
19578 @item outer
19579 Set outer coloring mode.
19580 It shall assume one of following values:
19581 @table @option
19582 @item iteration_count
19583 Set iteration count mode.
19584 @item normalized_iteration_count
19585 set normalized iteration count mode.
19586 @end table
19587 Default value is @var{normalized_iteration_count}.
19588
19589 @item rate, r
19590 Set frame rate, expressed as number of frames per second. Default
19591 value is "25".
19592
19593 @item size, s
19594 Set frame size. For the syntax of this option, check the @ref{video size syntax,,"Video
19595 size" section in the ffmpeg-utils manual,ffmpeg-utils}. Default value is "640x480".
19596
19597 @item start_scale
19598 Set the initial scale value. Default value is 3.0.
19599
19600 @item start_x
19601 Set the initial x position. Must be a floating point value between
19602 -100 and 100. Default value is -0.743643887037158704752191506114774.
19603
19604 @item start_y
19605 Set the initial y position. Must be a floating point value between
19606 -100 and 100. Default value is -0.131825904205311970493132056385139.
19607 @end table
19608
19609 @section mptestsrc
19610
19611 Generate various test patterns, as generated by the MPlayer test filter.
19612
19613 The size of the generated video is fixed, and is 256x256.
19614 This source is useful in particular for testing encoding features.
19615
19616 This source accepts the following options:
19617
19618 @table @option
19619
19620 @item rate, r
19621 Specify the frame rate of the sourced video, as the number of frames
19622 generated per second. It has to be a string in the format
19623 @var{frame_rate_num}/@var{frame_rate_den}, an integer number, a floating point
19624 number or a valid video frame rate abbreviation. The default value is
19625 "25".
19626
19627 @item duration, d
19628 Set the duration of the sourced video. See
19629 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
19630 for the accepted syntax.
19631
19632 If not specified, or the expressed duration is negative, the video is
19633 supposed to be generated forever.
19634
19635 @item test, t
19636
19637 Set the number or the name of the test to perform. Supported tests are:
19638 @table @option
19639 @item dc_luma
19640 @item dc_chroma
19641 @item freq_luma
19642 @item freq_chroma
19643 @item amp_luma
19644 @item amp_chroma
19645 @item cbp
19646 @item mv
19647 @item ring1
19648 @item ring2
19649 @item all
19650
19651 @end table
19652
19653 Default value is "all", which will cycle through the list of all tests.
19654 @end table
19655
19656 Some examples:
19657 @example
19658 mptestsrc=t=dc_luma
19659 @end example
19660
19661 will generate a "dc_luma" test pattern.
19662
19663 @section frei0r_src
19664
19665 Provide a frei0r source.
19666
19667 To enable compilation of this filter you need to install the frei0r
19668 header and configure FFmpeg with @code{--enable-frei0r}.
19669
19670 This source accepts the following parameters:
19671
19672 @table @option
19673
19674 @item size
19675 The size of the video to generate. For the syntax of this option, check the
19676 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
19677
19678 @item framerate
19679 The framerate of the generated video. It may be a string of the form
19680 @var{num}/@var{den} or a frame rate abbreviation.
19681
19682 @item filter_name
19683 The name to the frei0r source to load. For more information regarding frei0r and
19684 how to set the parameters, read the @ref{frei0r} section in the video filters
19685 documentation.
19686
19687 @item filter_params
19688 A '|'-separated list of parameters to pass to the frei0r source.
19689
19690 @end table
19691
19692 For example, to generate a frei0r partik0l source with size 200x200
19693 and frame rate 10 which is overlaid on the overlay filter main input:
19694 @example
19695 frei0r_src=size=200x200:framerate=10:filter_name=partik0l:filter_params=1234 [overlay]; [in][overlay] overlay
19696 @end example
19697
19698 @section life
19699
19700 Generate a life pattern.
19701
19702 This source is based on a generalization of John Conway's life game.
19703
19704 The sourced input represents a life grid, each pixel represents a cell
19705 which can be in one of two possible states, alive or dead. Every cell
19706 interacts with its eight neighbours, which are the cells that are
19707 horizontally, vertically, or diagonally adjacent.
19708
19709 At each interaction the grid evolves according to the adopted rule,
19710 which specifies the number of neighbor alive cells which will make a
19711 cell stay alive or born. The @option{rule} option allows one to specify
19712 the rule to adopt.
19713
19714 This source accepts the following options:
19715
19716 @table @option
19717 @item filename, f
19718 Set the file from which to read the initial grid state. In the file,
19719 each non-whitespace character is considered an alive cell, and newline
19720 is used to delimit the end of each row.
19721
19722 If this option is not specified, the initial grid is generated
19723 randomly.
19724
19725 @item rate, r
19726 Set the video rate, that is the number of frames generated per second.
19727 Default is 25.
19728
19729 @item random_fill_ratio, ratio
19730 Set the random fill ratio for the initial random grid. It is a
19731 floating point number value ranging from 0 to 1, defaults to 1/PHI.
19732 It is ignored when a file is specified.
19733
19734 @item random_seed, seed
19735 Set the seed for filling the initial random grid, must be an integer
19736 included between 0 and UINT32_MAX. If not specified, or if explicitly
19737 set to -1, the filter will try to use a good random seed on a best
19738 effort basis.
19739
19740 @item rule
19741 Set the life rule.
19742
19743 A rule can be specified with a code of the kind "S@var{NS}/B@var{NB}",
19744 where @var{NS} and @var{NB} are sequences of numbers in the range 0-8,
19745 @var{NS} specifies the number of alive neighbor cells which make a
19746 live cell stay alive, and @var{NB} the number of alive neighbor cells
19747 which make a dead cell to become alive (i.e. to "born").
19748 "s" and "b" can be used in place of "S" and "B", respectively.
19749
19750 Alternatively a rule can be specified by an 18-bits integer. The 9
19751 high order bits are used to encode the next cell state if it is alive
19752 for each number of neighbor alive cells, the low order bits specify
19753 the rule for "borning" new cells. Higher order bits encode for an
19754 higher number of neighbor cells.
19755 For example the number 6153 = @code{(12<<9)+9} specifies a stay alive
19756 rule of 12 and a born rule of 9, which corresponds to "S23/B03".
19757
19758 Default value is "S23/B3", which is the original Conway's game of life
19759 rule, and will keep a cell alive if it has 2 or 3 neighbor alive
19760 cells, and will born a new cell if there are three alive cells around
19761 a dead cell.
19762
19763 @item size, s
19764 Set the size of the output video. For the syntax of this option, check the
19765 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
19766
19767 If @option{filename} is specified, the size is set by default to the
19768 same size of the input file. If @option{size} is set, it must contain
19769 the size specified in the input file, and the initial grid defined in
19770 that file is centered in the larger resulting area.
19771
19772 If a filename is not specified, the size value defaults to "320x240"
19773 (used for a randomly generated initial grid).
19774
19775 @item stitch
19776 If set to 1, stitch the left and right grid edges together, and the
19777 top and bottom edges also. Defaults to 1.
19778
19779 @item mold
19780 Set cell mold speed. If set, a dead cell will go from @option{death_color} to
19781 @option{mold_color} with a step of @option{mold}. @option{mold} can have a
19782 value from 0 to 255.
19783
19784 @item life_color
19785 Set the color of living (or new born) cells.
19786
19787 @item death_color
19788 Set the color of dead cells. If @option{mold} is set, this is the first color
19789 used to represent a dead cell.
19790
19791 @item mold_color
19792 Set mold color, for definitely dead and moldy cells.
19793
19794 For the syntax of these 3 color options, check the @ref{color syntax,,"Color" section in the
19795 ffmpeg-utils manual,ffmpeg-utils}.
19796 @end table
19797
19798 @subsection Examples
19799
19800 @itemize
19801 @item
19802 Read a grid from @file{pattern}, and center it on a grid of size
19803 300x300 pixels:
19804 @example
19805 life=f=pattern:s=300x300
19806 @end example
19807
19808 @item
19809 Generate a random grid of size 200x200, with a fill ratio of 2/3:
19810 @example
19811 life=ratio=2/3:s=200x200
19812 @end example
19813
19814 @item
19815 Specify a custom rule for evolving a randomly generated grid:
19816 @example
19817 life=rule=S14/B34
19818 @end example
19819
19820 @item
19821 Full example with slow death effect (mold) using @command{ffplay}:
19822 @example
19823 ffplay -f lavfi life=s=300x200:mold=10:r=60:ratio=0.1:death_color=#C83232:life_color=#00ff00,scale=1200:800:flags=16
19824 @end example
19825 @end itemize
19826
19827 @anchor{allrgb}
19828 @anchor{allyuv}
19829 @anchor{color}
19830 @anchor{haldclutsrc}
19831 @anchor{nullsrc}
19832 @anchor{pal75bars}
19833 @anchor{pal100bars}
19834 @anchor{rgbtestsrc}
19835 @anchor{smptebars}
19836 @anchor{smptehdbars}
19837 @anchor{testsrc}
19838 @anchor{testsrc2}
19839 @anchor{yuvtestsrc}
19840 @section allrgb, allyuv, color, haldclutsrc, nullsrc, pal75bars, pal100bars, rgbtestsrc, smptebars, smptehdbars, testsrc, testsrc2, yuvtestsrc
19841
19842 The @code{allrgb} source returns frames of size 4096x4096 of all rgb colors.
19843
19844 The @code{allyuv} source returns frames of size 4096x4096 of all yuv colors.
19845
19846 The @code{color} source provides an uniformly colored input.
19847
19848 The @code{haldclutsrc} source provides an identity Hald CLUT. See also
19849 @ref{haldclut} filter.
19850
19851 The @code{nullsrc} source returns unprocessed video frames. It is
19852 mainly useful to be employed in analysis / debugging tools, or as the
19853 source for filters which ignore the input data.
19854
19855 The @code{pal75bars} source generates a color bars pattern, based on
19856 EBU PAL recommendations with 75% color levels.
19857
19858 The @code{pal100bars} source generates a color bars pattern, based on
19859 EBU PAL recommendations with 100% color levels.
19860
19861 The @code{rgbtestsrc} source generates an RGB test pattern useful for
19862 detecting RGB vs BGR issues. You should see a red, green and blue
19863 stripe from top to bottom.
19864
19865 The @code{smptebars} source generates a color bars pattern, based on
19866 the SMPTE Engineering Guideline EG 1-1990.
19867
19868 The @code{smptehdbars} source generates a color bars pattern, based on
19869 the SMPTE RP 219-2002.
19870
19871 The @code{testsrc} source generates a test video pattern, showing a
19872 color pattern, a scrolling gradient and a timestamp. This is mainly
19873 intended for testing purposes.
19874
19875 The @code{testsrc2} source is similar to testsrc, but supports more
19876 pixel formats instead of just @code{rgb24}. This allows using it as an
19877 input for other tests without requiring a format conversion.
19878
19879 The @code{yuvtestsrc} source generates an YUV test pattern. You should
19880 see a y, cb and cr stripe from top to bottom.
19881
19882 The sources accept the following parameters:
19883
19884 @table @option
19885
19886 @item level
19887 Specify the level of the Hald CLUT, only available in the @code{haldclutsrc}
19888 source. A level of @code{N} generates a picture of @code{N*N*N} by @code{N*N*N}
19889 pixels to be used as identity matrix for 3D lookup tables. Each component is
19890 coded on a @code{1/(N*N)} scale.
19891
19892 @item color, c
19893 Specify the color of the source, only available in the @code{color}
19894 source. For the syntax of this option, check the
19895 @ref{color syntax,,"Color" section in the ffmpeg-utils manual,ffmpeg-utils}.
19896
19897 @item size, s
19898 Specify the size of the sourced video. For the syntax of this option, check the
19899 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
19900 The default value is @code{320x240}.
19901
19902 This option is not available with the @code{allrgb}, @code{allyuv}, and
19903 @code{haldclutsrc} filters.
19904
19905 @item rate, r
19906 Specify the frame rate of the sourced video, as the number of frames
19907 generated per second. It has to be a string in the format
19908 @var{frame_rate_num}/@var{frame_rate_den}, an integer number, a floating point
19909 number or a valid video frame rate abbreviation. The default value is
19910 "25".
19911
19912 @item duration, d
19913 Set the duration of the sourced video. See
19914 @ref{time duration syntax,,the Time duration section in the ffmpeg-utils(1) manual,ffmpeg-utils}
19915 for the accepted syntax.
19916
19917 If not specified, or the expressed duration is negative, the video is
19918 supposed to be generated forever.
19919
19920 @item sar
19921 Set the sample aspect ratio of the sourced video.
19922
19923 @item alpha
19924 Specify the alpha (opacity) of the background, only available in the
19925 @code{testsrc2} source. The value must be between 0 (fully transparent) and
19926 255 (fully opaque, the default).
19927
19928 @item decimals, n
19929 Set the number of decimals to show in the timestamp, only available in the
19930 @code{testsrc} source.
19931
19932 The displayed timestamp value will correspond to the original
19933 timestamp value multiplied by the power of 10 of the specified
19934 value. Default value is 0.
19935 @end table
19936
19937 @subsection Examples
19938
19939 @itemize
19940 @item
19941 Generate a video with a duration of 5.3 seconds, with size
19942 176x144 and a frame rate of 10 frames per second:
19943 @example
19944 testsrc=duration=5.3:size=qcif:rate=10
19945 @end example
19946
19947 @item
19948 The following graph description will generate a red source
19949 with an opacity of 0.2, with size "qcif" and a frame rate of 10
19950 frames per second:
19951 @example
19952 color=c=red@@0.2:s=qcif:r=10
19953 @end example
19954
19955 @item
19956 If the input content is to be ignored, @code{nullsrc} can be used. The
19957 following command generates noise in the luminance plane by employing
19958 the @code{geq} filter:
19959 @example
19960 nullsrc=s=256x256, geq=random(1)*255:128:128
19961 @end example
19962 @end itemize
19963
19964 @subsection Commands
19965
19966 The @code{color} source supports the following commands:
19967
19968 @table @option
19969 @item c, color
19970 Set the color of the created image. Accepts the same syntax of the
19971 corresponding @option{color} option.
19972 @end table
19973
19974 @section openclsrc
19975
19976 Generate video using an OpenCL program.
19977
19978 @table @option
19979
19980 @item source
19981 OpenCL program source file.
19982
19983 @item kernel
19984 Kernel name in program.
19985
19986 @item size, s
19987 Size of frames to generate.  This must be set.
19988
19989 @item format
19990 Pixel format to use for the generated frames.  This must be set.
19991
19992 @item rate, r
19993 Number of frames generated every second.  Default value is '25'.
19994
19995 @end table
19996
19997 For details of how the program loading works, see the @ref{program_opencl}
19998 filter.
19999
20000 Example programs:
20001
20002 @itemize
20003 @item
20004 Generate a colour ramp by setting pixel values from the position of the pixel
20005 in the output image.  (Note that this will work with all pixel formats, but
20006 the generated output will not be the same.)
20007 @verbatim
20008 __kernel void ramp(__write_only image2d_t dst,
20009                    unsigned int index)
20010 {
20011     int2 loc = (int2)(get_global_id(0), get_global_id(1));
20012
20013     float4 val;
20014     val.xy = val.zw = convert_float2(loc) / convert_float2(get_image_dim(dst));
20015
20016     write_imagef(dst, loc, val);
20017 }
20018 @end verbatim
20019
20020 @item
20021 Generate a Sierpinski carpet pattern, panning by a single pixel each frame.
20022 @verbatim
20023 __kernel void sierpinski_carpet(__write_only image2d_t dst,
20024                                 unsigned int index)
20025 {
20026     int2 loc = (int2)(get_global_id(0), get_global_id(1));
20027
20028     float4 value = 0.0f;
20029     int x = loc.x + index;
20030     int y = loc.y + index;
20031     while (x > 0 || y > 0) {
20032         if (x % 3 == 1 && y % 3 == 1) {
20033             value = 1.0f;
20034             break;
20035         }
20036         x /= 3;
20037         y /= 3;
20038     }
20039
20040     write_imagef(dst, loc, value);
20041 }
20042 @end verbatim
20043
20044 @end itemize
20045
20046 @c man end VIDEO SOURCES
20047
20048 @chapter Video Sinks
20049 @c man begin VIDEO SINKS
20050
20051 Below is a description of the currently available video sinks.
20052
20053 @section buffersink
20054
20055 Buffer video frames, and make them available to the end of the filter
20056 graph.
20057
20058 This sink is mainly intended for programmatic use, in particular
20059 through the interface defined in @file{libavfilter/buffersink.h}
20060 or the options system.
20061
20062 It accepts a pointer to an AVBufferSinkContext structure, which
20063 defines the incoming buffers' formats, to be passed as the opaque
20064 parameter to @code{avfilter_init_filter} for initialization.
20065
20066 @section nullsink
20067
20068 Null video sink: do absolutely nothing with the input video. It is
20069 mainly useful as a template and for use in analysis / debugging
20070 tools.
20071
20072 @c man end VIDEO SINKS
20073
20074 @chapter Multimedia Filters
20075 @c man begin MULTIMEDIA FILTERS
20076
20077 Below is a description of the currently available multimedia filters.
20078
20079 @section abitscope
20080
20081 Convert input audio to a video output, displaying the audio bit scope.
20082
20083 The filter accepts the following options:
20084
20085 @table @option
20086 @item rate, r
20087 Set frame rate, expressed as number of frames per second. Default
20088 value is "25".
20089
20090 @item size, s
20091 Specify the video size for the output. For the syntax of this option, check the
20092 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
20093 Default value is @code{1024x256}.
20094
20095 @item colors
20096 Specify list of colors separated by space or by '|' which will be used to
20097 draw channels. Unrecognized or missing colors will be replaced
20098 by white color.
20099 @end table
20100
20101 @section ahistogram
20102
20103 Convert input audio to a video output, displaying the volume histogram.
20104
20105 The filter accepts the following options:
20106
20107 @table @option
20108 @item dmode
20109 Specify how histogram is calculated.
20110
20111 It accepts the following values:
20112 @table @samp
20113 @item single
20114 Use single histogram for all channels.
20115 @item separate
20116 Use separate histogram for each channel.
20117 @end table
20118 Default is @code{single}.
20119
20120 @item rate, r
20121 Set frame rate, expressed as number of frames per second. Default
20122 value is "25".
20123
20124 @item size, s
20125 Specify the video size for the output. For the syntax of this option, check the
20126 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
20127 Default value is @code{hd720}.
20128
20129 @item scale
20130 Set display scale.
20131
20132 It accepts the following values:
20133 @table @samp
20134 @item log
20135 logarithmic
20136 @item sqrt
20137 square root
20138 @item cbrt
20139 cubic root
20140 @item lin
20141 linear
20142 @item rlog
20143 reverse logarithmic
20144 @end table
20145 Default is @code{log}.
20146
20147 @item ascale
20148 Set amplitude scale.
20149
20150 It accepts the following values:
20151 @table @samp
20152 @item log
20153 logarithmic
20154 @item lin
20155 linear
20156 @end table
20157 Default is @code{log}.
20158
20159 @item acount
20160 Set how much frames to accumulate in histogram.
20161 Default is 1. Setting this to -1 accumulates all frames.
20162
20163 @item rheight
20164 Set histogram ratio of window height.
20165
20166 @item slide
20167 Set sonogram sliding.
20168
20169 It accepts the following values:
20170 @table @samp
20171 @item replace
20172 replace old rows with new ones.
20173 @item scroll
20174 scroll from top to bottom.
20175 @end table
20176 Default is @code{replace}.
20177 @end table
20178
20179 @section aphasemeter
20180
20181 Measures phase of input audio, which is exported as metadata @code{lavfi.aphasemeter.phase},
20182 representing mean phase of current audio frame. A video output can also be produced and is
20183 enabled by default. The audio is passed through as first output.
20184
20185 Audio will be rematrixed to stereo if it has a different channel layout. Phase value is in
20186 range @code{[-1, 1]} where @code{-1} means left and right channels are completely out of phase
20187 and @code{1} means channels are in phase.
20188
20189 The filter accepts the following options, all related to its video output:
20190
20191 @table @option
20192 @item rate, r
20193 Set the output frame rate. Default value is @code{25}.
20194
20195 @item size, s
20196 Set the video size for the output. For the syntax of this option, check the
20197 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
20198 Default value is @code{800x400}.
20199
20200 @item rc
20201 @item gc
20202 @item bc
20203 Specify the red, green, blue contrast. Default values are @code{2},
20204 @code{7} and @code{1}.
20205 Allowed range is @code{[0, 255]}.
20206
20207 @item mpc
20208 Set color which will be used for drawing median phase. If color is
20209 @code{none} which is default, no median phase value will be drawn.
20210
20211 @item video
20212 Enable video output. Default is enabled.
20213 @end table
20214
20215 @section avectorscope
20216
20217 Convert input audio to a video output, representing the audio vector
20218 scope.
20219
20220 The filter is used to measure the difference between channels of stereo
20221 audio stream. A monoaural signal, consisting of identical left and right
20222 signal, results in straight vertical line. Any stereo separation is visible
20223 as a deviation from this line, creating a Lissajous figure.
20224 If the straight (or deviation from it) but horizontal line appears this
20225 indicates that the left and right channels are out of phase.
20226
20227 The filter accepts the following options:
20228
20229 @table @option
20230 @item mode, m
20231 Set the vectorscope mode.
20232
20233 Available values are:
20234 @table @samp
20235 @item lissajous
20236 Lissajous rotated by 45 degrees.
20237
20238 @item lissajous_xy
20239 Same as above but not rotated.
20240
20241 @item polar
20242 Shape resembling half of circle.
20243 @end table
20244
20245 Default value is @samp{lissajous}.
20246
20247 @item size, s
20248 Set the video size for the output. For the syntax of this option, check the
20249 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
20250 Default value is @code{400x400}.
20251
20252 @item rate, r
20253 Set the output frame rate. Default value is @code{25}.
20254
20255 @item rc
20256 @item gc
20257 @item bc
20258 @item ac
20259 Specify the red, green, blue and alpha contrast. Default values are @code{40},
20260 @code{160}, @code{80} and @code{255}.
20261 Allowed range is @code{[0, 255]}.
20262
20263 @item rf
20264 @item gf
20265 @item bf
20266 @item af
20267 Specify the red, green, blue and alpha fade. Default values are @code{15},
20268 @code{10}, @code{5} and @code{5}.
20269 Allowed range is @code{[0, 255]}.
20270
20271 @item zoom
20272 Set the zoom factor. Default value is @code{1}. Allowed range is @code{[0, 10]}.
20273 Values lower than @var{1} will auto adjust zoom factor to maximal possible value.
20274
20275 @item draw
20276 Set the vectorscope drawing mode.
20277
20278 Available values are:
20279 @table @samp
20280 @item dot
20281 Draw dot for each sample.
20282
20283 @item line
20284 Draw line between previous and current sample.
20285 @end table
20286
20287 Default value is @samp{dot}.
20288
20289 @item scale
20290 Specify amplitude scale of audio samples.
20291
20292 Available values are:
20293 @table @samp
20294 @item lin
20295 Linear.
20296
20297 @item sqrt
20298 Square root.
20299
20300 @item cbrt
20301 Cubic root.
20302
20303 @item log
20304 Logarithmic.
20305 @end table
20306
20307 @item swap
20308 Swap left channel axis with right channel axis.
20309
20310 @item mirror
20311 Mirror axis.
20312
20313 @table @samp
20314 @item none
20315 No mirror.
20316
20317 @item x
20318 Mirror only x axis.
20319
20320 @item y
20321 Mirror only y axis.
20322
20323 @item xy
20324 Mirror both axis.
20325 @end table
20326
20327 @end table
20328
20329 @subsection Examples
20330
20331 @itemize
20332 @item
20333 Complete example using @command{ffplay}:
20334 @example
20335 ffplay -f lavfi 'amovie=input.mp3, asplit [a][out1];
20336              [a] avectorscope=zoom=1.3:rc=2:gc=200:bc=10:rf=1:gf=8:bf=7 [out0]'
20337 @end example
20338 @end itemize
20339
20340 @section bench, abench
20341
20342 Benchmark part of a filtergraph.
20343
20344 The filter accepts the following options:
20345
20346 @table @option
20347 @item action
20348 Start or stop a timer.
20349
20350 Available values are:
20351 @table @samp
20352 @item start
20353 Get the current time, set it as frame metadata (using the key
20354 @code{lavfi.bench.start_time}), and forward the frame to the next filter.
20355
20356 @item stop
20357 Get the current time and fetch the @code{lavfi.bench.start_time} metadata from
20358 the input frame metadata to get the time difference. Time difference, average,
20359 maximum and minimum time (respectively @code{t}, @code{avg}, @code{max} and
20360 @code{min}) are then printed. The timestamps are expressed in seconds.
20361 @end table
20362 @end table
20363
20364 @subsection Examples
20365
20366 @itemize
20367 @item
20368 Benchmark @ref{selectivecolor} filter:
20369 @example
20370 bench=start,selectivecolor=reds=-.2 .12 -.49,bench=stop
20371 @end example
20372 @end itemize
20373
20374 @section concat
20375
20376 Concatenate audio and video streams, joining them together one after the
20377 other.
20378
20379 The filter works on segments of synchronized video and audio streams. All
20380 segments must have the same number of streams of each type, and that will
20381 also be the number of streams at output.
20382
20383 The filter accepts the following options:
20384
20385 @table @option
20386
20387 @item n
20388 Set the number of segments. Default is 2.
20389
20390 @item v
20391 Set the number of output video streams, that is also the number of video
20392 streams in each segment. Default is 1.
20393
20394 @item a
20395 Set the number of output audio streams, that is also the number of audio
20396 streams in each segment. Default is 0.
20397
20398 @item unsafe
20399 Activate unsafe mode: do not fail if segments have a different format.
20400
20401 @end table
20402
20403 The filter has @var{v}+@var{a} outputs: first @var{v} video outputs, then
20404 @var{a} audio outputs.
20405
20406 There are @var{n}x(@var{v}+@var{a}) inputs: first the inputs for the first
20407 segment, in the same order as the outputs, then the inputs for the second
20408 segment, etc.
20409
20410 Related streams do not always have exactly the same duration, for various
20411 reasons including codec frame size or sloppy authoring. For that reason,
20412 related synchronized streams (e.g. a video and its audio track) should be
20413 concatenated at once. The concat filter will use the duration of the longest
20414 stream in each segment (except the last one), and if necessary pad shorter
20415 audio streams with silence.
20416
20417 For this filter to work correctly, all segments must start at timestamp 0.
20418
20419 All corresponding streams must have the same parameters in all segments; the
20420 filtering system will automatically select a common pixel format for video
20421 streams, and a common sample format, sample rate and channel layout for
20422 audio streams, but other settings, such as resolution, must be converted
20423 explicitly by the user.
20424
20425 Different frame rates are acceptable but will result in variable frame rate
20426 at output; be sure to configure the output file to handle it.
20427
20428 @subsection Examples
20429
20430 @itemize
20431 @item
20432 Concatenate an opening, an episode and an ending, all in bilingual version
20433 (video in stream 0, audio in streams 1 and 2):
20434 @example
20435 ffmpeg -i opening.mkv -i episode.mkv -i ending.mkv -filter_complex \
20436   '[0:0] [0:1] [0:2] [1:0] [1:1] [1:2] [2:0] [2:1] [2:2]
20437    concat=n=3:v=1:a=2 [v] [a1] [a2]' \
20438   -map '[v]' -map '[a1]' -map '[a2]' output.mkv
20439 @end example
20440
20441 @item
20442 Concatenate two parts, handling audio and video separately, using the
20443 (a)movie sources, and adjusting the resolution:
20444 @example
20445 movie=part1.mp4, scale=512:288 [v1] ; amovie=part1.mp4 [a1] ;
20446 movie=part2.mp4, scale=512:288 [v2] ; amovie=part2.mp4 [a2] ;
20447 [v1] [v2] concat [outv] ; [a1] [a2] concat=v=0:a=1 [outa]
20448 @end example
20449 Note that a desync will happen at the stitch if the audio and video streams
20450 do not have exactly the same duration in the first file.
20451
20452 @end itemize
20453
20454 @subsection Commands
20455
20456 This filter supports the following commands:
20457 @table @option
20458 @item next
20459 Close the current segment and step to the next one
20460 @end table
20461
20462 @section drawgraph, adrawgraph
20463
20464 Draw a graph using input video or audio metadata.
20465
20466 It accepts the following parameters:
20467
20468 @table @option
20469 @item m1
20470 Set 1st frame metadata key from which metadata values will be used to draw a graph.
20471
20472 @item fg1
20473 Set 1st foreground color expression.
20474
20475 @item m2
20476 Set 2nd frame metadata key from which metadata values will be used to draw a graph.
20477
20478 @item fg2
20479 Set 2nd foreground color expression.
20480
20481 @item m3
20482 Set 3rd frame metadata key from which metadata values will be used to draw a graph.
20483
20484 @item fg3
20485 Set 3rd foreground color expression.
20486
20487 @item m4
20488 Set 4th frame metadata key from which metadata values will be used to draw a graph.
20489
20490 @item fg4
20491 Set 4th foreground color expression.
20492
20493 @item min
20494 Set minimal value of metadata value.
20495
20496 @item max
20497 Set maximal value of metadata value.
20498
20499 @item bg
20500 Set graph background color. Default is white.
20501
20502 @item mode
20503 Set graph mode.
20504
20505 Available values for mode is:
20506 @table @samp
20507 @item bar
20508 @item dot
20509 @item line
20510 @end table
20511
20512 Default is @code{line}.
20513
20514 @item slide
20515 Set slide mode.
20516
20517 Available values for slide is:
20518 @table @samp
20519 @item frame
20520 Draw new frame when right border is reached.
20521
20522 @item replace
20523 Replace old columns with new ones.
20524
20525 @item scroll
20526 Scroll from right to left.
20527
20528 @item rscroll
20529 Scroll from left to right.
20530
20531 @item picture
20532 Draw single picture.
20533 @end table
20534
20535 Default is @code{frame}.
20536
20537 @item size
20538 Set size of graph video. For the syntax of this option, check the
20539 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
20540 The default value is @code{900x256}.
20541
20542 The foreground color expressions can use the following variables:
20543 @table @option
20544 @item MIN
20545 Minimal value of metadata value.
20546
20547 @item MAX
20548 Maximal value of metadata value.
20549
20550 @item VAL
20551 Current metadata key value.
20552 @end table
20553
20554 The color is defined as 0xAABBGGRR.
20555 @end table
20556
20557 Example using metadata from @ref{signalstats} filter:
20558 @example
20559 signalstats,drawgraph=lavfi.signalstats.YAVG:min=0:max=255
20560 @end example
20561
20562 Example using metadata from @ref{ebur128} filter:
20563 @example
20564 ebur128=metadata=1,adrawgraph=lavfi.r128.M:min=-120:max=5
20565 @end example
20566
20567 @anchor{ebur128}
20568 @section ebur128
20569
20570 EBU R128 scanner filter. This filter takes an audio stream as input and outputs
20571 it unchanged. By default, it logs a message at a frequency of 10Hz with the
20572 Momentary loudness (identified by @code{M}), Short-term loudness (@code{S}),
20573 Integrated loudness (@code{I}) and Loudness Range (@code{LRA}).
20574
20575 The filter also has a video output (see the @var{video} option) with a real
20576 time graph to observe the loudness evolution. The graphic contains the logged
20577 message mentioned above, so it is not printed anymore when this option is set,
20578 unless the verbose logging is set. The main graphing area contains the
20579 short-term loudness (3 seconds of analysis), and the gauge on the right is for
20580 the momentary loudness (400 milliseconds), but can optionally be configured
20581 to instead display short-term loudness (see @var{gauge}).
20582
20583 The green area marks a  +/- 1LU target range around the target loudness
20584 (-23LUFS by default, unless modified through @var{target}).
20585
20586 More information about the Loudness Recommendation EBU R128 on
20587 @url{http://tech.ebu.ch/loudness}.
20588
20589 The filter accepts the following options:
20590
20591 @table @option
20592
20593 @item video
20594 Activate the video output. The audio stream is passed unchanged whether this
20595 option is set or no. The video stream will be the first output stream if
20596 activated. Default is @code{0}.
20597
20598 @item size
20599 Set the video size. This option is for video only. For the syntax of this
20600 option, check the
20601 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
20602 Default and minimum resolution is @code{640x480}.
20603
20604 @item meter
20605 Set the EBU scale meter. Default is @code{9}. Common values are @code{9} and
20606 @code{18}, respectively for EBU scale meter +9 and EBU scale meter +18. Any
20607 other integer value between this range is allowed.
20608
20609 @item metadata
20610 Set metadata injection. If set to @code{1}, the audio input will be segmented
20611 into 100ms output frames, each of them containing various loudness information
20612 in metadata.  All the metadata keys are prefixed with @code{lavfi.r128.}.
20613
20614 Default is @code{0}.
20615
20616 @item framelog
20617 Force the frame logging level.
20618
20619 Available values are:
20620 @table @samp
20621 @item info
20622 information logging level
20623 @item verbose
20624 verbose logging level
20625 @end table
20626
20627 By default, the logging level is set to @var{info}. If the @option{video} or
20628 the @option{metadata} options are set, it switches to @var{verbose}.
20629
20630 @item peak
20631 Set peak mode(s).
20632
20633 Available modes can be cumulated (the option is a @code{flag} type). Possible
20634 values are:
20635 @table @samp
20636 @item none
20637 Disable any peak mode (default).
20638 @item sample
20639 Enable sample-peak mode.
20640
20641 Simple peak mode looking for the higher sample value. It logs a message
20642 for sample-peak (identified by @code{SPK}).
20643 @item true
20644 Enable true-peak mode.
20645
20646 If enabled, the peak lookup is done on an over-sampled version of the input
20647 stream for better peak accuracy. It logs a message for true-peak.
20648 (identified by @code{TPK}) and true-peak per frame (identified by @code{FTPK}).
20649 This mode requires a build with @code{libswresample}.
20650 @end table
20651
20652 @item dualmono
20653 Treat mono input files as "dual mono". If a mono file is intended for playback
20654 on a stereo system, its EBU R128 measurement will be perceptually incorrect.
20655 If set to @code{true}, this option will compensate for this effect.
20656 Multi-channel input files are not affected by this option.
20657
20658 @item panlaw
20659 Set a specific pan law to be used for the measurement of dual mono files.
20660 This parameter is optional, and has a default value of -3.01dB.
20661
20662 @item target
20663 Set a specific target level (in LUFS) used as relative zero in the visualization.
20664 This parameter is optional and has a default value of -23LUFS as specified
20665 by EBU R128. However, material published online may prefer a level of -16LUFS
20666 (e.g. for use with podcasts or video platforms).
20667
20668 @item gauge
20669 Set the value displayed by the gauge. Valid values are @code{momentary} and s
20670 @code{shortterm}. By default the momentary value will be used, but in certain
20671 scenarios it may be more useful to observe the short term value instead (e.g.
20672 live mixing).
20673
20674 @item scale
20675 Sets the display scale for the loudness. Valid parameters are @code{absolute}
20676 (in LUFS) or @code{relative} (LU) relative to the target. This only affects the
20677 video output, not the summary or continuous log output.
20678 @end table
20679
20680 @subsection Examples
20681
20682 @itemize
20683 @item
20684 Real-time graph using @command{ffplay}, with a EBU scale meter +18:
20685 @example
20686 ffplay -f lavfi -i "amovie=input.mp3,ebur128=video=1:meter=18 [out0][out1]"
20687 @end example
20688
20689 @item
20690 Run an analysis with @command{ffmpeg}:
20691 @example
20692 ffmpeg -nostats -i input.mp3 -filter_complex ebur128 -f null -
20693 @end example
20694 @end itemize
20695
20696 @section interleave, ainterleave
20697
20698 Temporally interleave frames from several inputs.
20699
20700 @code{interleave} works with video inputs, @code{ainterleave} with audio.
20701
20702 These filters read frames from several inputs and send the oldest
20703 queued frame to the output.
20704
20705 Input streams must have well defined, monotonically increasing frame
20706 timestamp values.
20707
20708 In order to submit one frame to output, these filters need to enqueue
20709 at least one frame for each input, so they cannot work in case one
20710 input is not yet terminated and will not receive incoming frames.
20711
20712 For example consider the case when one input is a @code{select} filter
20713 which always drops input frames. The @code{interleave} filter will keep
20714 reading from that input, but it will never be able to send new frames
20715 to output until the input sends an end-of-stream signal.
20716
20717 Also, depending on inputs synchronization, the filters will drop
20718 frames in case one input receives more frames than the other ones, and
20719 the queue is already filled.
20720
20721 These filters accept the following options:
20722
20723 @table @option
20724 @item nb_inputs, n
20725 Set the number of different inputs, it is 2 by default.
20726 @end table
20727
20728 @subsection Examples
20729
20730 @itemize
20731 @item
20732 Interleave frames belonging to different streams using @command{ffmpeg}:
20733 @example
20734 ffmpeg -i bambi.avi -i pr0n.mkv -filter_complex "[0:v][1:v] interleave" out.avi
20735 @end example
20736
20737 @item
20738 Add flickering blur effect:
20739 @example
20740 select='if(gt(random(0), 0.2), 1, 2)':n=2 [tmp], boxblur=2:2, [tmp] interleave
20741 @end example
20742 @end itemize
20743
20744 @section metadata, ametadata
20745
20746 Manipulate frame metadata.
20747
20748 This filter accepts the following options:
20749
20750 @table @option
20751 @item mode
20752 Set mode of operation of the filter.
20753
20754 Can be one of the following:
20755
20756 @table @samp
20757 @item select
20758 If both @code{value} and @code{key} is set, select frames
20759 which have such metadata. If only @code{key} is set, select
20760 every frame that has such key in metadata.
20761
20762 @item add
20763 Add new metadata @code{key} and @code{value}. If key is already available
20764 do nothing.
20765
20766 @item modify
20767 Modify value of already present key.
20768
20769 @item delete
20770 If @code{value} is set, delete only keys that have such value.
20771 Otherwise, delete key. If @code{key} is not set, delete all metadata values in
20772 the frame.
20773
20774 @item print
20775 Print key and its value if metadata was found. If @code{key} is not set print all
20776 metadata values available in frame.
20777 @end table
20778
20779 @item key
20780 Set key used with all modes. Must be set for all modes except @code{print} and @code{delete}.
20781
20782 @item value
20783 Set metadata value which will be used. This option is mandatory for
20784 @code{modify} and @code{add} mode.
20785
20786 @item function
20787 Which function to use when comparing metadata value and @code{value}.
20788
20789 Can be one of following:
20790
20791 @table @samp
20792 @item same_str
20793 Values are interpreted as strings, returns true if metadata value is same as @code{value}.
20794
20795 @item starts_with
20796 Values are interpreted as strings, returns true if metadata value starts with
20797 the @code{value} option string.
20798
20799 @item less
20800 Values are interpreted as floats, returns true if metadata value is less than @code{value}.
20801
20802 @item equal
20803 Values are interpreted as floats, returns true if @code{value} is equal with metadata value.
20804
20805 @item greater
20806 Values are interpreted as floats, returns true if metadata value is greater than @code{value}.
20807
20808 @item expr
20809 Values are interpreted as floats, returns true if expression from option @code{expr}
20810 evaluates to true.
20811 @end table
20812
20813 @item expr
20814 Set expression which is used when @code{function} is set to @code{expr}.
20815 The expression is evaluated through the eval API and can contain the following
20816 constants:
20817
20818 @table @option
20819 @item VALUE1
20820 Float representation of @code{value} from metadata key.
20821
20822 @item VALUE2
20823 Float representation of @code{value} as supplied by user in @code{value} option.
20824 @end table
20825
20826 @item file
20827 If specified in @code{print} mode, output is written to the named file. Instead of
20828 plain filename any writable url can be specified. Filename ``-'' is a shorthand
20829 for standard output. If @code{file} option is not set, output is written to the log
20830 with AV_LOG_INFO loglevel.
20831
20832 @end table
20833
20834 @subsection Examples
20835
20836 @itemize
20837 @item
20838 Print all metadata values for frames with key @code{lavfi.signalstats.YDIF} with values
20839 between 0 and 1.
20840 @example
20841 signalstats,metadata=print:key=lavfi.signalstats.YDIF:value=0:function=expr:expr='between(VALUE1,0,1)'
20842 @end example
20843 @item
20844 Print silencedetect output to file @file{metadata.txt}.
20845 @example
20846 silencedetect,ametadata=mode=print:file=metadata.txt
20847 @end example
20848 @item
20849 Direct all metadata to a pipe with file descriptor 4.
20850 @example
20851 metadata=mode=print:file='pipe\:4'
20852 @end example
20853 @end itemize
20854
20855 @section perms, aperms
20856
20857 Set read/write permissions for the output frames.
20858
20859 These filters are mainly aimed at developers to test direct path in the
20860 following filter in the filtergraph.
20861
20862 The filters accept the following options:
20863
20864 @table @option
20865 @item mode
20866 Select the permissions mode.
20867
20868 It accepts the following values:
20869 @table @samp
20870 @item none
20871 Do nothing. This is the default.
20872 @item ro
20873 Set all the output frames read-only.
20874 @item rw
20875 Set all the output frames directly writable.
20876 @item toggle
20877 Make the frame read-only if writable, and writable if read-only.
20878 @item random
20879 Set each output frame read-only or writable randomly.
20880 @end table
20881
20882 @item seed
20883 Set the seed for the @var{random} mode, must be an integer included between
20884 @code{0} and @code{UINT32_MAX}. If not specified, or if explicitly set to
20885 @code{-1}, the filter will try to use a good random seed on a best effort
20886 basis.
20887 @end table
20888
20889 Note: in case of auto-inserted filter between the permission filter and the
20890 following one, the permission might not be received as expected in that
20891 following filter. Inserting a @ref{format} or @ref{aformat} filter before the
20892 perms/aperms filter can avoid this problem.
20893
20894 @section realtime, arealtime
20895
20896 Slow down filtering to match real time approximately.
20897
20898 These filters will pause the filtering for a variable amount of time to
20899 match the output rate with the input timestamps.
20900 They are similar to the @option{re} option to @code{ffmpeg}.
20901
20902 They accept the following options:
20903
20904 @table @option
20905 @item limit
20906 Time limit for the pauses. Any pause longer than that will be considered
20907 a timestamp discontinuity and reset the timer. Default is 2 seconds.
20908 @end table
20909
20910 @anchor{select}
20911 @section select, aselect
20912
20913 Select frames to pass in output.
20914
20915 This filter accepts the following options:
20916
20917 @table @option
20918
20919 @item expr, e
20920 Set expression, which is evaluated for each input frame.
20921
20922 If the expression is evaluated to zero, the frame is discarded.
20923
20924 If the evaluation result is negative or NaN, the frame is sent to the
20925 first output; otherwise it is sent to the output with index
20926 @code{ceil(val)-1}, assuming that the input index starts from 0.
20927
20928 For example a value of @code{1.2} corresponds to the output with index
20929 @code{ceil(1.2)-1 = 2-1 = 1}, that is the second output.
20930
20931 @item outputs, n
20932 Set the number of outputs. The output to which to send the selected
20933 frame is based on the result of the evaluation. Default value is 1.
20934 @end table
20935
20936 The expression can contain the following constants:
20937
20938 @table @option
20939 @item n
20940 The (sequential) number of the filtered frame, starting from 0.
20941
20942 @item selected_n
20943 The (sequential) number of the selected frame, starting from 0.
20944
20945 @item prev_selected_n
20946 The sequential number of the last selected frame. It's NAN if undefined.
20947
20948 @item TB
20949 The timebase of the input timestamps.
20950
20951 @item pts
20952 The PTS (Presentation TimeStamp) of the filtered video frame,
20953 expressed in @var{TB} units. It's NAN if undefined.
20954
20955 @item t
20956 The PTS of the filtered video frame,
20957 expressed in seconds. It's NAN if undefined.
20958
20959 @item prev_pts
20960 The PTS of the previously filtered video frame. It's NAN if undefined.
20961
20962 @item prev_selected_pts
20963 The PTS of the last previously filtered video frame. It's NAN if undefined.
20964
20965 @item prev_selected_t
20966 The PTS of the last previously selected video frame, expressed in seconds. It's NAN if undefined.
20967
20968 @item start_pts
20969 The PTS of the first video frame in the video. It's NAN if undefined.
20970
20971 @item start_t
20972 The time of the first video frame in the video. It's NAN if undefined.
20973
20974 @item pict_type @emph{(video only)}
20975 The type of the filtered frame. It can assume one of the following
20976 values:
20977 @table @option
20978 @item I
20979 @item P
20980 @item B
20981 @item S
20982 @item SI
20983 @item SP
20984 @item BI
20985 @end table
20986
20987 @item interlace_type @emph{(video only)}
20988 The frame interlace type. It can assume one of the following values:
20989 @table @option
20990 @item PROGRESSIVE
20991 The frame is progressive (not interlaced).
20992 @item TOPFIRST
20993 The frame is top-field-first.
20994 @item BOTTOMFIRST
20995 The frame is bottom-field-first.
20996 @end table
20997
20998 @item consumed_sample_n @emph{(audio only)}
20999 the number of selected samples before the current frame
21000
21001 @item samples_n @emph{(audio only)}
21002 the number of samples in the current frame
21003
21004 @item sample_rate @emph{(audio only)}
21005 the input sample rate
21006
21007 @item key
21008 This is 1 if the filtered frame is a key-frame, 0 otherwise.
21009
21010 @item pos
21011 the position in the file of the filtered frame, -1 if the information
21012 is not available (e.g. for synthetic video)
21013
21014 @item scene @emph{(video only)}
21015 value between 0 and 1 to indicate a new scene; a low value reflects a low
21016 probability for the current frame to introduce a new scene, while a higher
21017 value means the current frame is more likely to be one (see the example below)
21018
21019 @item concatdec_select
21020 The concat demuxer can select only part of a concat input file by setting an
21021 inpoint and an outpoint, but the output packets may not be entirely contained
21022 in the selected interval. By using this variable, it is possible to skip frames
21023 generated by the concat demuxer which are not exactly contained in the selected
21024 interval.
21025
21026 This works by comparing the frame pts against the @var{lavf.concat.start_time}
21027 and the @var{lavf.concat.duration} packet metadata values which are also
21028 present in the decoded frames.
21029
21030 The @var{concatdec_select} variable is -1 if the frame pts is at least
21031 start_time and either the duration metadata is missing or the frame pts is less
21032 than start_time + duration, 0 otherwise, and NaN if the start_time metadata is
21033 missing.
21034
21035 That basically means that an input frame is selected if its pts is within the
21036 interval set by the concat demuxer.
21037
21038 @end table
21039
21040 The default value of the select expression is "1".
21041
21042 @subsection Examples
21043
21044 @itemize
21045 @item
21046 Select all frames in input:
21047 @example
21048 select
21049 @end example
21050
21051 The example above is the same as:
21052 @example
21053 select=1
21054 @end example
21055
21056 @item
21057 Skip all frames:
21058 @example
21059 select=0
21060 @end example
21061
21062 @item
21063 Select only I-frames:
21064 @example
21065 select='eq(pict_type\,I)'
21066 @end example
21067
21068 @item
21069 Select one frame every 100:
21070 @example
21071 select='not(mod(n\,100))'
21072 @end example
21073
21074 @item
21075 Select only frames contained in the 10-20 time interval:
21076 @example
21077 select=between(t\,10\,20)
21078 @end example
21079
21080 @item
21081 Select only I-frames contained in the 10-20 time interval:
21082 @example
21083 select=between(t\,10\,20)*eq(pict_type\,I)
21084 @end example
21085
21086 @item
21087 Select frames with a minimum distance of 10 seconds:
21088 @example
21089 select='isnan(prev_selected_t)+gte(t-prev_selected_t\,10)'
21090 @end example
21091
21092 @item
21093 Use aselect to select only audio frames with samples number > 100:
21094 @example
21095 aselect='gt(samples_n\,100)'
21096 @end example
21097
21098 @item
21099 Create a mosaic of the first scenes:
21100 @example
21101 ffmpeg -i video.avi -vf select='gt(scene\,0.4)',scale=160:120,tile -frames:v 1 preview.png
21102 @end example
21103
21104 Comparing @var{scene} against a value between 0.3 and 0.5 is generally a sane
21105 choice.
21106
21107 @item
21108 Send even and odd frames to separate outputs, and compose them:
21109 @example
21110 select=n=2:e='mod(n, 2)+1' [odd][even]; [odd] pad=h=2*ih [tmp]; [tmp][even] overlay=y=h
21111 @end example
21112
21113 @item
21114 Select useful frames from an ffconcat file which is using inpoints and
21115 outpoints but where the source files are not intra frame only.
21116 @example
21117 ffmpeg -copyts -vsync 0 -segment_time_metadata 1 -i input.ffconcat -vf select=concatdec_select -af aselect=concatdec_select output.avi
21118 @end example
21119 @end itemize
21120
21121 @section sendcmd, asendcmd
21122
21123 Send commands to filters in the filtergraph.
21124
21125 These filters read commands to be sent to other filters in the
21126 filtergraph.
21127
21128 @code{sendcmd} must be inserted between two video filters,
21129 @code{asendcmd} must be inserted between two audio filters, but apart
21130 from that they act the same way.
21131
21132 The specification of commands can be provided in the filter arguments
21133 with the @var{commands} option, or in a file specified by the
21134 @var{filename} option.
21135
21136 These filters accept the following options:
21137 @table @option
21138 @item commands, c
21139 Set the commands to be read and sent to the other filters.
21140 @item filename, f
21141 Set the filename of the commands to be read and sent to the other
21142 filters.
21143 @end table
21144
21145 @subsection Commands syntax
21146
21147 A commands description consists of a sequence of interval
21148 specifications, comprising a list of commands to be executed when a
21149 particular event related to that interval occurs. The occurring event
21150 is typically the current frame time entering or leaving a given time
21151 interval.
21152
21153 An interval is specified by the following syntax:
21154 @example
21155 @var{START}[-@var{END}] @var{COMMANDS};
21156 @end example
21157
21158 The time interval is specified by the @var{START} and @var{END} times.
21159 @var{END} is optional and defaults to the maximum time.
21160
21161 The current frame time is considered within the specified interval if
21162 it is included in the interval [@var{START}, @var{END}), that is when
21163 the time is greater or equal to @var{START} and is lesser than
21164 @var{END}.
21165
21166 @var{COMMANDS} consists of a sequence of one or more command
21167 specifications, separated by ",", relating to that interval.  The
21168 syntax of a command specification is given by:
21169 @example
21170 [@var{FLAGS}] @var{TARGET} @var{COMMAND} @var{ARG}
21171 @end example
21172
21173 @var{FLAGS} is optional and specifies the type of events relating to
21174 the time interval which enable sending the specified command, and must
21175 be a non-null sequence of identifier flags separated by "+" or "|" and
21176 enclosed between "[" and "]".
21177
21178 The following flags are recognized:
21179 @table @option
21180 @item enter
21181 The command is sent when the current frame timestamp enters the
21182 specified interval. In other words, the command is sent when the
21183 previous frame timestamp was not in the given interval, and the
21184 current is.
21185
21186 @item leave
21187 The command is sent when the current frame timestamp leaves the
21188 specified interval. In other words, the command is sent when the
21189 previous frame timestamp was in the given interval, and the
21190 current is not.
21191 @end table
21192
21193 If @var{FLAGS} is not specified, a default value of @code{[enter]} is
21194 assumed.
21195
21196 @var{TARGET} specifies the target of the command, usually the name of
21197 the filter class or a specific filter instance name.
21198
21199 @var{COMMAND} specifies the name of the command for the target filter.
21200
21201 @var{ARG} is optional and specifies the optional list of argument for
21202 the given @var{COMMAND}.
21203
21204 Between one interval specification and another, whitespaces, or
21205 sequences of characters starting with @code{#} until the end of line,
21206 are ignored and can be used to annotate comments.
21207
21208 A simplified BNF description of the commands specification syntax
21209 follows:
21210 @example
21211 @var{COMMAND_FLAG}  ::= "enter" | "leave"
21212 @var{COMMAND_FLAGS} ::= @var{COMMAND_FLAG} [(+|"|")@var{COMMAND_FLAG}]
21213 @var{COMMAND}       ::= ["[" @var{COMMAND_FLAGS} "]"] @var{TARGET} @var{COMMAND} [@var{ARG}]
21214 @var{COMMANDS}      ::= @var{COMMAND} [,@var{COMMANDS}]
21215 @var{INTERVAL}      ::= @var{START}[-@var{END}] @var{COMMANDS}
21216 @var{INTERVALS}     ::= @var{INTERVAL}[;@var{INTERVALS}]
21217 @end example
21218
21219 @subsection Examples
21220
21221 @itemize
21222 @item
21223 Specify audio tempo change at second 4:
21224 @example
21225 asendcmd=c='4.0 atempo tempo 1.5',atempo
21226 @end example
21227
21228 @item
21229 Target a specific filter instance:
21230 @example
21231 asendcmd=c='4.0 atempo@@my tempo 1.5',atempo@@my
21232 @end example
21233
21234 @item
21235 Specify a list of drawtext and hue commands in a file.
21236 @example
21237 # show text in the interval 5-10
21238 5.0-10.0 [enter] drawtext reinit 'fontfile=FreeSerif.ttf:text=hello world',
21239          [leave] drawtext reinit 'fontfile=FreeSerif.ttf:text=';
21240
21241 # desaturate the image in the interval 15-20
21242 15.0-20.0 [enter] hue s 0,
21243           [enter] drawtext reinit 'fontfile=FreeSerif.ttf:text=nocolor',
21244           [leave] hue s 1,
21245           [leave] drawtext reinit 'fontfile=FreeSerif.ttf:text=color';
21246
21247 # apply an exponential saturation fade-out effect, starting from time 25
21248 25 [enter] hue s exp(25-t)
21249 @end example
21250
21251 A filtergraph allowing to read and process the above command list
21252 stored in a file @file{test.cmd}, can be specified with:
21253 @example
21254 sendcmd=f=test.cmd,drawtext=fontfile=FreeSerif.ttf:text='',hue
21255 @end example
21256 @end itemize
21257
21258 @anchor{setpts}
21259 @section setpts, asetpts
21260
21261 Change the PTS (presentation timestamp) of the input frames.
21262
21263 @code{setpts} works on video frames, @code{asetpts} on audio frames.
21264
21265 This filter accepts the following options:
21266
21267 @table @option
21268
21269 @item expr
21270 The expression which is evaluated for each frame to construct its timestamp.
21271
21272 @end table
21273
21274 The expression is evaluated through the eval API and can contain the following
21275 constants:
21276
21277 @table @option
21278 @item FRAME_RATE, FR
21279 frame rate, only defined for constant frame-rate video
21280
21281 @item PTS
21282 The presentation timestamp in input
21283
21284 @item N
21285 The count of the input frame for video or the number of consumed samples,
21286 not including the current frame for audio, starting from 0.
21287
21288 @item NB_CONSUMED_SAMPLES
21289 The number of consumed samples, not including the current frame (only
21290 audio)
21291
21292 @item NB_SAMPLES, S
21293 The number of samples in the current frame (only audio)
21294
21295 @item SAMPLE_RATE, SR
21296 The audio sample rate.
21297
21298 @item STARTPTS
21299 The PTS of the first frame.
21300
21301 @item STARTT
21302 the time in seconds of the first frame
21303
21304 @item INTERLACED
21305 State whether the current frame is interlaced.
21306
21307 @item T
21308 the time in seconds of the current frame
21309
21310 @item POS
21311 original position in the file of the frame, or undefined if undefined
21312 for the current frame
21313
21314 @item PREV_INPTS
21315 The previous input PTS.
21316
21317 @item PREV_INT
21318 previous input time in seconds
21319
21320 @item PREV_OUTPTS
21321 The previous output PTS.
21322
21323 @item PREV_OUTT
21324 previous output time in seconds
21325
21326 @item RTCTIME
21327 The wallclock (RTC) time in microseconds. This is deprecated, use time(0)
21328 instead.
21329
21330 @item RTCSTART
21331 The wallclock (RTC) time at the start of the movie in microseconds.
21332
21333 @item TB
21334 The timebase of the input timestamps.
21335
21336 @end table
21337
21338 @subsection Examples
21339
21340 @itemize
21341 @item
21342 Start counting PTS from zero
21343 @example
21344 setpts=PTS-STARTPTS
21345 @end example
21346
21347 @item
21348 Apply fast motion effect:
21349 @example
21350 setpts=0.5*PTS
21351 @end example
21352
21353 @item
21354 Apply slow motion effect:
21355 @example
21356 setpts=2.0*PTS
21357 @end example
21358
21359 @item
21360 Set fixed rate of 25 frames per second:
21361 @example
21362 setpts=N/(25*TB)
21363 @end example
21364
21365 @item
21366 Set fixed rate 25 fps with some jitter:
21367 @example
21368 setpts='1/(25*TB) * (N + 0.05 * sin(N*2*PI/25))'
21369 @end example
21370
21371 @item
21372 Apply an offset of 10 seconds to the input PTS:
21373 @example
21374 setpts=PTS+10/TB
21375 @end example
21376
21377 @item
21378 Generate timestamps from a "live source" and rebase onto the current timebase:
21379 @example
21380 setpts='(RTCTIME - RTCSTART) / (TB * 1000000)'
21381 @end example
21382
21383 @item
21384 Generate timestamps by counting samples:
21385 @example
21386 asetpts=N/SR/TB
21387 @end example
21388
21389 @end itemize
21390
21391 @section setrange
21392
21393 Force color range for the output video frame.
21394
21395 The @code{setrange} filter marks the color range property for the
21396 output frames. It does not change the input frame, but only sets the
21397 corresponding property, which affects how the frame is treated by
21398 following filters.
21399
21400 The filter accepts the following options:
21401
21402 @table @option
21403
21404 @item range
21405 Available values are:
21406
21407 @table @samp
21408 @item auto
21409 Keep the same color range property.
21410
21411 @item unspecified, unknown
21412 Set the color range as unspecified.
21413
21414 @item limited, tv, mpeg
21415 Set the color range as limited.
21416
21417 @item full, pc, jpeg
21418 Set the color range as full.
21419 @end table
21420 @end table
21421
21422 @section settb, asettb
21423
21424 Set the timebase to use for the output frames timestamps.
21425 It is mainly useful for testing timebase configuration.
21426
21427 It accepts the following parameters:
21428
21429 @table @option
21430
21431 @item expr, tb
21432 The expression which is evaluated into the output timebase.
21433
21434 @end table
21435
21436 The value for @option{tb} is an arithmetic expression representing a
21437 rational. The expression can contain the constants "AVTB" (the default
21438 timebase), "intb" (the input timebase) and "sr" (the sample rate,
21439 audio only). Default value is "intb".
21440
21441 @subsection Examples
21442
21443 @itemize
21444 @item
21445 Set the timebase to 1/25:
21446 @example
21447 settb=expr=1/25
21448 @end example
21449
21450 @item
21451 Set the timebase to 1/10:
21452 @example
21453 settb=expr=0.1
21454 @end example
21455
21456 @item
21457 Set the timebase to 1001/1000:
21458 @example
21459 settb=1+0.001
21460 @end example
21461
21462 @item
21463 Set the timebase to 2*intb:
21464 @example
21465 settb=2*intb
21466 @end example
21467
21468 @item
21469 Set the default timebase value:
21470 @example
21471 settb=AVTB
21472 @end example
21473 @end itemize
21474
21475 @section showcqt
21476 Convert input audio to a video output representing frequency spectrum
21477 logarithmically using Brown-Puckette constant Q transform algorithm with
21478 direct frequency domain coefficient calculation (but the transform itself
21479 is not really constant Q, instead the Q factor is actually variable/clamped),
21480 with musical tone scale, from E0 to D#10.
21481
21482 The filter accepts the following options:
21483
21484 @table @option
21485 @item size, s
21486 Specify the video size for the output. It must be even. For the syntax of this option,
21487 check the @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
21488 Default value is @code{1920x1080}.
21489
21490 @item fps, rate, r
21491 Set the output frame rate. Default value is @code{25}.
21492
21493 @item bar_h
21494 Set the bargraph height. It must be even. Default value is @code{-1} which
21495 computes the bargraph height automatically.
21496
21497 @item axis_h
21498 Set the axis height. It must be even. Default value is @code{-1} which computes
21499 the axis height automatically.
21500
21501 @item sono_h
21502 Set the sonogram height. It must be even. Default value is @code{-1} which
21503 computes the sonogram height automatically.
21504
21505 @item fullhd
21506 Set the fullhd resolution. This option is deprecated, use @var{size}, @var{s}
21507 instead. Default value is @code{1}.
21508
21509 @item sono_v, volume
21510 Specify the sonogram volume expression. It can contain variables:
21511 @table @option
21512 @item bar_v
21513 the @var{bar_v} evaluated expression
21514 @item frequency, freq, f
21515 the frequency where it is evaluated
21516 @item timeclamp, tc
21517 the value of @var{timeclamp} option
21518 @end table
21519 and functions:
21520 @table @option
21521 @item a_weighting(f)
21522 A-weighting of equal loudness
21523 @item b_weighting(f)
21524 B-weighting of equal loudness
21525 @item c_weighting(f)
21526 C-weighting of equal loudness.
21527 @end table
21528 Default value is @code{16}.
21529
21530 @item bar_v, volume2
21531 Specify the bargraph volume expression. It can contain variables:
21532 @table @option
21533 @item sono_v
21534 the @var{sono_v} evaluated expression
21535 @item frequency, freq, f
21536 the frequency where it is evaluated
21537 @item timeclamp, tc
21538 the value of @var{timeclamp} option
21539 @end table
21540 and functions:
21541 @table @option
21542 @item a_weighting(f)
21543 A-weighting of equal loudness
21544 @item b_weighting(f)
21545 B-weighting of equal loudness
21546 @item c_weighting(f)
21547 C-weighting of equal loudness.
21548 @end table
21549 Default value is @code{sono_v}.
21550
21551 @item sono_g, gamma
21552 Specify the sonogram gamma. Lower gamma makes the spectrum more contrast,
21553 higher gamma makes the spectrum having more range. Default value is @code{3}.
21554 Acceptable range is @code{[1, 7]}.
21555
21556 @item bar_g, gamma2
21557 Specify the bargraph gamma. Default value is @code{1}. Acceptable range is
21558 @code{[1, 7]}.
21559
21560 @item bar_t
21561 Specify the bargraph transparency level. Lower value makes the bargraph sharper.
21562 Default value is @code{1}. Acceptable range is @code{[0, 1]}.
21563
21564 @item timeclamp, tc
21565 Specify the transform timeclamp. At low frequency, there is trade-off between
21566 accuracy in time domain and frequency domain. If timeclamp is lower,
21567 event in time domain is represented more accurately (such as fast bass drum),
21568 otherwise event in frequency domain is represented more accurately
21569 (such as bass guitar). Acceptable range is @code{[0.002, 1]}. Default value is @code{0.17}.
21570
21571 @item attack
21572 Set attack time in seconds. The default is @code{0} (disabled). Otherwise, it
21573 limits future samples by applying asymmetric windowing in time domain, useful
21574 when low latency is required. Accepted range is @code{[0, 1]}.
21575
21576 @item basefreq
21577 Specify the transform base frequency. Default value is @code{20.01523126408007475},
21578 which is frequency 50 cents below E0. Acceptable range is @code{[10, 100000]}.
21579
21580 @item endfreq
21581 Specify the transform end frequency. Default value is @code{20495.59681441799654},
21582 which is frequency 50 cents above D#10. Acceptable range is @code{[10, 100000]}.
21583
21584 @item coeffclamp
21585 This option is deprecated and ignored.
21586
21587 @item tlength
21588 Specify the transform length in time domain. Use this option to control accuracy
21589 trade-off between time domain and frequency domain at every frequency sample.
21590 It can contain variables:
21591 @table @option
21592 @item frequency, freq, f
21593 the frequency where it is evaluated
21594 @item timeclamp, tc
21595 the value of @var{timeclamp} option.
21596 @end table
21597 Default value is @code{384*tc/(384+tc*f)}.
21598
21599 @item count
21600 Specify the transform count for every video frame. Default value is @code{6}.
21601 Acceptable range is @code{[1, 30]}.
21602
21603 @item fcount
21604 Specify the transform count for every single pixel. Default value is @code{0},
21605 which makes it computed automatically. Acceptable range is @code{[0, 10]}.
21606
21607 @item fontfile
21608 Specify font file for use with freetype to draw the axis. If not specified,
21609 use embedded font. Note that drawing with font file or embedded font is not
21610 implemented with custom @var{basefreq} and @var{endfreq}, use @var{axisfile}
21611 option instead.
21612
21613 @item font
21614 Specify fontconfig pattern. This has lower priority than @var{fontfile}.
21615 The : in the pattern may be replaced by | to avoid unnecessary escaping.
21616
21617 @item fontcolor
21618 Specify font color expression. This is arithmetic expression that should return
21619 integer value 0xRRGGBB. It can contain variables:
21620 @table @option
21621 @item frequency, freq, f
21622 the frequency where it is evaluated
21623 @item timeclamp, tc
21624 the value of @var{timeclamp} option
21625 @end table
21626 and functions:
21627 @table @option
21628 @item midi(f)
21629 midi number of frequency f, some midi numbers: E0(16), C1(24), C2(36), A4(69)
21630 @item r(x), g(x), b(x)
21631 red, green, and blue value of intensity x.
21632 @end table
21633 Default value is @code{st(0, (midi(f)-59.5)/12);
21634 st(1, if(between(ld(0),0,1), 0.5-0.5*cos(2*PI*ld(0)), 0));
21635 r(1-ld(1)) + b(ld(1))}.
21636
21637 @item axisfile
21638 Specify image file to draw the axis. This option override @var{fontfile} and
21639 @var{fontcolor} option.
21640
21641 @item axis, text
21642 Enable/disable drawing text to the axis. If it is set to @code{0}, drawing to
21643 the axis is disabled, ignoring @var{fontfile} and @var{axisfile} option.
21644 Default value is @code{1}.
21645
21646 @item csp
21647 Set colorspace. The accepted values are:
21648 @table @samp
21649 @item unspecified
21650 Unspecified (default)
21651
21652 @item bt709
21653 BT.709
21654
21655 @item fcc
21656 FCC
21657
21658 @item bt470bg
21659 BT.470BG or BT.601-6 625
21660
21661 @item smpte170m
21662 SMPTE-170M or BT.601-6 525
21663
21664 @item smpte240m
21665 SMPTE-240M
21666
21667 @item bt2020ncl
21668 BT.2020 with non-constant luminance
21669
21670 @end table
21671
21672 @item cscheme
21673 Set spectrogram color scheme. This is list of floating point values with format
21674 @code{left_r|left_g|left_b|right_r|right_g|right_b}.
21675 The default is @code{1|0.5|0|0|0.5|1}.
21676
21677 @end table
21678
21679 @subsection Examples
21680
21681 @itemize
21682 @item
21683 Playing audio while showing the spectrum:
21684 @example
21685 ffplay -f lavfi 'amovie=a.mp3, asplit [a][out1]; [a] showcqt [out0]'
21686 @end example
21687
21688 @item
21689 Same as above, but with frame rate 30 fps:
21690 @example
21691 ffplay -f lavfi 'amovie=a.mp3, asplit [a][out1]; [a] showcqt=fps=30:count=5 [out0]'
21692 @end example
21693
21694 @item
21695 Playing at 1280x720:
21696 @example
21697 ffplay -f lavfi 'amovie=a.mp3, asplit [a][out1]; [a] showcqt=s=1280x720:count=4 [out0]'
21698 @end example
21699
21700 @item
21701 Disable sonogram display:
21702 @example
21703 sono_h=0
21704 @end example
21705
21706 @item
21707 A1 and its harmonics: A1, A2, (near)E3, A3:
21708 @example
21709 ffplay -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),
21710                  asplit[a][out1]; [a] showcqt [out0]'
21711 @end example
21712
21713 @item
21714 Same as above, but with more accuracy in frequency domain:
21715 @example
21716 ffplay -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),
21717                  asplit[a][out1]; [a] showcqt=timeclamp=0.5 [out0]'
21718 @end example
21719
21720 @item
21721 Custom volume:
21722 @example
21723 bar_v=10:sono_v=bar_v*a_weighting(f)
21724 @end example
21725
21726 @item
21727 Custom gamma, now spectrum is linear to the amplitude.
21728 @example
21729 bar_g=2:sono_g=2
21730 @end example
21731
21732 @item
21733 Custom tlength equation:
21734 @example
21735 tc=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)))'
21736 @end example
21737
21738 @item
21739 Custom fontcolor and fontfile, C-note is colored green, others are colored blue:
21740 @example
21741 fontcolor='if(mod(floor(midi(f)+0.5),12), 0x0000FF, g(1))':fontfile=myfont.ttf
21742 @end example
21743
21744 @item
21745 Custom font using fontconfig:
21746 @example
21747 font='Courier New,Monospace,mono|bold'
21748 @end example
21749
21750 @item
21751 Custom frequency range with custom axis using image file:
21752 @example
21753 axisfile=myaxis.png:basefreq=40:endfreq=10000
21754 @end example
21755 @end itemize
21756
21757 @section showfreqs
21758
21759 Convert input audio to video output representing the audio power spectrum.
21760 Audio amplitude is on Y-axis while frequency is on X-axis.
21761
21762 The filter accepts the following options:
21763
21764 @table @option
21765 @item size, s
21766 Specify size of video. For the syntax of this option, check the
21767 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
21768 Default is @code{1024x512}.
21769
21770 @item mode
21771 Set display mode.
21772 This set how each frequency bin will be represented.
21773
21774 It accepts the following values:
21775 @table @samp
21776 @item line
21777 @item bar
21778 @item dot
21779 @end table
21780 Default is @code{bar}.
21781
21782 @item ascale
21783 Set amplitude scale.
21784
21785 It accepts the following values:
21786 @table @samp
21787 @item lin
21788 Linear scale.
21789
21790 @item sqrt
21791 Square root scale.
21792
21793 @item cbrt
21794 Cubic root scale.
21795
21796 @item log
21797 Logarithmic scale.
21798 @end table
21799 Default is @code{log}.
21800
21801 @item fscale
21802 Set frequency scale.
21803
21804 It accepts the following values:
21805 @table @samp
21806 @item lin
21807 Linear scale.
21808
21809 @item log
21810 Logarithmic scale.
21811
21812 @item rlog
21813 Reverse logarithmic scale.
21814 @end table
21815 Default is @code{lin}.
21816
21817 @item win_size
21818 Set window size.
21819
21820 It accepts the following values:
21821 @table @samp
21822 @item w16
21823 @item w32
21824 @item w64
21825 @item w128
21826 @item w256
21827 @item w512
21828 @item w1024
21829 @item w2048
21830 @item w4096
21831 @item w8192
21832 @item w16384
21833 @item w32768
21834 @item w65536
21835 @end table
21836 Default is @code{w2048}
21837
21838 @item win_func
21839 Set windowing function.
21840
21841 It accepts the following values:
21842 @table @samp
21843 @item rect
21844 @item bartlett
21845 @item hanning
21846 @item hamming
21847 @item blackman
21848 @item welch
21849 @item flattop
21850 @item bharris
21851 @item bnuttall
21852 @item bhann
21853 @item sine
21854 @item nuttall
21855 @item lanczos
21856 @item gauss
21857 @item tukey
21858 @item dolph
21859 @item cauchy
21860 @item parzen
21861 @item poisson
21862 @item bohman
21863 @end table
21864 Default is @code{hanning}.
21865
21866 @item overlap
21867 Set window overlap. In range @code{[0, 1]}. Default is @code{1},
21868 which means optimal overlap for selected window function will be picked.
21869
21870 @item averaging
21871 Set time averaging. Setting this to 0 will display current maximal peaks.
21872 Default is @code{1}, which means time averaging is disabled.
21873
21874 @item colors
21875 Specify list of colors separated by space or by '|' which will be used to
21876 draw channel frequencies. Unrecognized or missing colors will be replaced
21877 by white color.
21878
21879 @item cmode
21880 Set channel display mode.
21881
21882 It accepts the following values:
21883 @table @samp
21884 @item combined
21885 @item separate
21886 @end table
21887 Default is @code{combined}.
21888
21889 @item minamp
21890 Set minimum amplitude used in @code{log} amplitude scaler.
21891
21892 @end table
21893
21894 @anchor{showspectrum}
21895 @section showspectrum
21896
21897 Convert input audio to a video output, representing the audio frequency
21898 spectrum.
21899
21900 The filter accepts the following options:
21901
21902 @table @option
21903 @item size, s
21904 Specify the video size for the output. For the syntax of this option, check the
21905 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
21906 Default value is @code{640x512}.
21907
21908 @item slide
21909 Specify how the spectrum should slide along the window.
21910
21911 It accepts the following values:
21912 @table @samp
21913 @item replace
21914 the samples start again on the left when they reach the right
21915 @item scroll
21916 the samples scroll from right to left
21917 @item fullframe
21918 frames are only produced when the samples reach the right
21919 @item rscroll
21920 the samples scroll from left to right
21921 @end table
21922
21923 Default value is @code{replace}.
21924
21925 @item mode
21926 Specify display mode.
21927
21928 It accepts the following values:
21929 @table @samp
21930 @item combined
21931 all channels are displayed in the same row
21932 @item separate
21933 all channels are displayed in separate rows
21934 @end table
21935
21936 Default value is @samp{combined}.
21937
21938 @item color
21939 Specify display color mode.
21940
21941 It accepts the following values:
21942 @table @samp
21943 @item channel
21944 each channel is displayed in a separate color
21945 @item intensity
21946 each channel is displayed using the same color scheme
21947 @item rainbow
21948 each channel is displayed using the rainbow color scheme
21949 @item moreland
21950 each channel is displayed using the moreland color scheme
21951 @item nebulae
21952 each channel is displayed using the nebulae color scheme
21953 @item fire
21954 each channel is displayed using the fire color scheme
21955 @item fiery
21956 each channel is displayed using the fiery color scheme
21957 @item fruit
21958 each channel is displayed using the fruit color scheme
21959 @item cool
21960 each channel is displayed using the cool color scheme
21961 @item magma
21962 each channel is displayed using the magma color scheme
21963 @item green
21964 each channel is displayed using the green color scheme
21965 @item viridis
21966 each channel is displayed using the viridis color scheme
21967 @item plasma
21968 each channel is displayed using the plasma color scheme
21969 @item cividis
21970 each channel is displayed using the cividis color scheme
21971 @item terrain
21972 each channel is displayed using the terrain color scheme
21973 @end table
21974
21975 Default value is @samp{channel}.
21976
21977 @item scale
21978 Specify scale used for calculating intensity color values.
21979
21980 It accepts the following values:
21981 @table @samp
21982 @item lin
21983 linear
21984 @item sqrt
21985 square root, default
21986 @item cbrt
21987 cubic root
21988 @item log
21989 logarithmic
21990 @item 4thrt
21991 4th root
21992 @item 5thrt
21993 5th root
21994 @end table
21995
21996 Default value is @samp{sqrt}.
21997
21998 @item saturation
21999 Set saturation modifier for displayed colors. Negative values provide
22000 alternative color scheme. @code{0} is no saturation at all.
22001 Saturation must be in [-10.0, 10.0] range.
22002 Default value is @code{1}.
22003
22004 @item win_func
22005 Set window function.
22006
22007 It accepts the following values:
22008 @table @samp
22009 @item rect
22010 @item bartlett
22011 @item hann
22012 @item hanning
22013 @item hamming
22014 @item blackman
22015 @item welch
22016 @item flattop
22017 @item bharris
22018 @item bnuttall
22019 @item bhann
22020 @item sine
22021 @item nuttall
22022 @item lanczos
22023 @item gauss
22024 @item tukey
22025 @item dolph
22026 @item cauchy
22027 @item parzen
22028 @item poisson
22029 @item bohman
22030 @end table
22031
22032 Default value is @code{hann}.
22033
22034 @item orientation
22035 Set orientation of time vs frequency axis. Can be @code{vertical} or
22036 @code{horizontal}. Default is @code{vertical}.
22037
22038 @item overlap
22039 Set ratio of overlap window. Default value is @code{0}.
22040 When value is @code{1} overlap is set to recommended size for specific
22041 window function currently used.
22042
22043 @item gain
22044 Set scale gain for calculating intensity color values.
22045 Default value is @code{1}.
22046
22047 @item data
22048 Set which data to display. Can be @code{magnitude}, default or @code{phase}.
22049
22050 @item rotation
22051 Set color rotation, must be in [-1.0, 1.0] range.
22052 Default value is @code{0}.
22053
22054 @item start
22055 Set start frequency from which to display spectrogram. Default is @code{0}.
22056
22057 @item stop
22058 Set stop frequency to which to display spectrogram. Default is @code{0}.
22059
22060 @item fps
22061 Set upper frame rate limit. Default is @code{auto}, unlimited.
22062
22063 @item legend
22064 Draw time and frequency axes and legends. Default is disabled.
22065 @end table
22066
22067 The usage is very similar to the showwaves filter; see the examples in that
22068 section.
22069
22070 @subsection Examples
22071
22072 @itemize
22073 @item
22074 Large window with logarithmic color scaling:
22075 @example
22076 showspectrum=s=1280x480:scale=log
22077 @end example
22078
22079 @item
22080 Complete example for a colored and sliding spectrum per channel using @command{ffplay}:
22081 @example
22082 ffplay -f lavfi 'amovie=input.mp3, asplit [a][out1];
22083              [a] showspectrum=mode=separate:color=intensity:slide=1:scale=cbrt [out0]'
22084 @end example
22085 @end itemize
22086
22087 @section showspectrumpic
22088
22089 Convert input audio to a single video frame, representing the audio frequency
22090 spectrum.
22091
22092 The filter accepts the following options:
22093
22094 @table @option
22095 @item size, s
22096 Specify the video size for the output. For the syntax of this option, check the
22097 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
22098 Default value is @code{4096x2048}.
22099
22100 @item mode
22101 Specify display mode.
22102
22103 It accepts the following values:
22104 @table @samp
22105 @item combined
22106 all channels are displayed in the same row
22107 @item separate
22108 all channels are displayed in separate rows
22109 @end table
22110 Default value is @samp{combined}.
22111
22112 @item color
22113 Specify display color mode.
22114
22115 It accepts the following values:
22116 @table @samp
22117 @item channel
22118 each channel is displayed in a separate color
22119 @item intensity
22120 each channel is displayed using the same color scheme
22121 @item rainbow
22122 each channel is displayed using the rainbow color scheme
22123 @item moreland
22124 each channel is displayed using the moreland color scheme
22125 @item nebulae
22126 each channel is displayed using the nebulae color scheme
22127 @item fire
22128 each channel is displayed using the fire color scheme
22129 @item fiery
22130 each channel is displayed using the fiery color scheme
22131 @item fruit
22132 each channel is displayed using the fruit color scheme
22133 @item cool
22134 each channel is displayed using the cool color scheme
22135 @item magma
22136 each channel is displayed using the magma color scheme
22137 @item green
22138 each channel is displayed using the green color scheme
22139 @item viridis
22140 each channel is displayed using the viridis color scheme
22141 @item plasma
22142 each channel is displayed using the plasma color scheme
22143 @item cividis
22144 each channel is displayed using the cividis color scheme
22145 @item terrain
22146 each channel is displayed using the terrain color scheme
22147 @end table
22148 Default value is @samp{intensity}.
22149
22150 @item scale
22151 Specify scale used for calculating intensity color values.
22152
22153 It accepts the following values:
22154 @table @samp
22155 @item lin
22156 linear
22157 @item sqrt
22158 square root, default
22159 @item cbrt
22160 cubic root
22161 @item log
22162 logarithmic
22163 @item 4thrt
22164 4th root
22165 @item 5thrt
22166 5th root
22167 @end table
22168 Default value is @samp{log}.
22169
22170 @item saturation
22171 Set saturation modifier for displayed colors. Negative values provide
22172 alternative color scheme. @code{0} is no saturation at all.
22173 Saturation must be in [-10.0, 10.0] range.
22174 Default value is @code{1}.
22175
22176 @item win_func
22177 Set window function.
22178
22179 It accepts the following values:
22180 @table @samp
22181 @item rect
22182 @item bartlett
22183 @item hann
22184 @item hanning
22185 @item hamming
22186 @item blackman
22187 @item welch
22188 @item flattop
22189 @item bharris
22190 @item bnuttall
22191 @item bhann
22192 @item sine
22193 @item nuttall
22194 @item lanczos
22195 @item gauss
22196 @item tukey
22197 @item dolph
22198 @item cauchy
22199 @item parzen
22200 @item poisson
22201 @item bohman
22202 @end table
22203 Default value is @code{hann}.
22204
22205 @item orientation
22206 Set orientation of time vs frequency axis. Can be @code{vertical} or
22207 @code{horizontal}. Default is @code{vertical}.
22208
22209 @item gain
22210 Set scale gain for calculating intensity color values.
22211 Default value is @code{1}.
22212
22213 @item legend
22214 Draw time and frequency axes and legends. Default is enabled.
22215
22216 @item rotation
22217 Set color rotation, must be in [-1.0, 1.0] range.
22218 Default value is @code{0}.
22219
22220 @item start
22221 Set start frequency from which to display spectrogram. Default is @code{0}.
22222
22223 @item stop
22224 Set stop frequency to which to display spectrogram. Default is @code{0}.
22225 @end table
22226
22227 @subsection Examples
22228
22229 @itemize
22230 @item
22231 Extract an audio spectrogram of a whole audio track
22232 in a 1024x1024 picture using @command{ffmpeg}:
22233 @example
22234 ffmpeg -i audio.flac -lavfi showspectrumpic=s=1024x1024 spectrogram.png
22235 @end example
22236 @end itemize
22237
22238 @section showvolume
22239
22240 Convert input audio volume to a video output.
22241
22242 The filter accepts the following options:
22243
22244 @table @option
22245 @item rate, r
22246 Set video rate.
22247
22248 @item b
22249 Set border width, allowed range is [0, 5]. Default is 1.
22250
22251 @item w
22252 Set channel width, allowed range is [80, 8192]. Default is 400.
22253
22254 @item h
22255 Set channel height, allowed range is [1, 900]. Default is 20.
22256
22257 @item f
22258 Set fade, allowed range is [0, 1]. Default is 0.95.
22259
22260 @item c
22261 Set volume color expression.
22262
22263 The expression can use the following variables:
22264
22265 @table @option
22266 @item VOLUME
22267 Current max volume of channel in dB.
22268
22269 @item PEAK
22270 Current peak.
22271
22272 @item CHANNEL
22273 Current channel number, starting from 0.
22274 @end table
22275
22276 @item t
22277 If set, displays channel names. Default is enabled.
22278
22279 @item v
22280 If set, displays volume values. Default is enabled.
22281
22282 @item o
22283 Set orientation, can be horizontal: @code{h} or vertical: @code{v},
22284 default is @code{h}.
22285
22286 @item s
22287 Set step size, allowed range is [0, 5]. Default is 0, which means
22288 step is disabled.
22289
22290 @item p
22291 Set background opacity, allowed range is [0, 1]. Default is 0.
22292
22293 @item m
22294 Set metering mode, can be peak: @code{p} or rms: @code{r},
22295 default is @code{p}.
22296
22297 @item ds
22298 Set display scale, can be linear: @code{lin} or log: @code{log},
22299 default is @code{lin}.
22300
22301 @item dm
22302 In second.
22303 If set to > 0., display a line for the max level
22304 in the previous seconds.
22305 default is disabled: @code{0.}
22306
22307 @item dmc
22308 The color of the max line. Use when @code{dm} option is set to > 0.
22309 default is: @code{orange}
22310 @end table
22311
22312 @section showwaves
22313
22314 Convert input audio to a video output, representing the samples waves.
22315
22316 The filter accepts the following options:
22317
22318 @table @option
22319 @item size, s
22320 Specify the video size for the output. For the syntax of this option, check the
22321 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
22322 Default value is @code{600x240}.
22323
22324 @item mode
22325 Set display mode.
22326
22327 Available values are:
22328 @table @samp
22329 @item point
22330 Draw a point for each sample.
22331
22332 @item line
22333 Draw a vertical line for each sample.
22334
22335 @item p2p
22336 Draw a point for each sample and a line between them.
22337
22338 @item cline
22339 Draw a centered vertical line for each sample.
22340 @end table
22341
22342 Default value is @code{point}.
22343
22344 @item n
22345 Set the number of samples which are printed on the same column. A
22346 larger value will decrease the frame rate. Must be a positive
22347 integer. This option can be set only if the value for @var{rate}
22348 is not explicitly specified.
22349
22350 @item rate, r
22351 Set the (approximate) output frame rate. This is done by setting the
22352 option @var{n}. Default value is "25".
22353
22354 @item split_channels
22355 Set if channels should be drawn separately or overlap. Default value is 0.
22356
22357 @item colors
22358 Set colors separated by '|' which are going to be used for drawing of each channel.
22359
22360 @item scale
22361 Set amplitude scale.
22362
22363 Available values are:
22364 @table @samp
22365 @item lin
22366 Linear.
22367
22368 @item log
22369 Logarithmic.
22370
22371 @item sqrt
22372 Square root.
22373
22374 @item cbrt
22375 Cubic root.
22376 @end table
22377
22378 Default is linear.
22379
22380 @item draw
22381 Set the draw mode. This is mostly useful to set for high @var{n}.
22382
22383 Available values are:
22384 @table @samp
22385 @item scale
22386 Scale pixel values for each drawn sample.
22387
22388 @item full
22389 Draw every sample directly.
22390 @end table
22391
22392 Default value is @code{scale}.
22393 @end table
22394
22395 @subsection Examples
22396
22397 @itemize
22398 @item
22399 Output the input file audio and the corresponding video representation
22400 at the same time:
22401 @example
22402 amovie=a.mp3,asplit[out0],showwaves[out1]
22403 @end example
22404
22405 @item
22406 Create a synthetic signal and show it with showwaves, forcing a
22407 frame rate of 30 frames per second:
22408 @example
22409 aevalsrc=sin(1*2*PI*t)*sin(880*2*PI*t):cos(2*PI*200*t),asplit[out0],showwaves=r=30[out1]
22410 @end example
22411 @end itemize
22412
22413 @section showwavespic
22414
22415 Convert input audio to a single video frame, representing the samples waves.
22416
22417 The filter accepts the following options:
22418
22419 @table @option
22420 @item size, s
22421 Specify the video size for the output. For the syntax of this option, check the
22422 @ref{video size syntax,,"Video size" section in the ffmpeg-utils manual,ffmpeg-utils}.
22423 Default value is @code{600x240}.
22424
22425 @item split_channels
22426 Set if channels should be drawn separately or overlap. Default value is 0.
22427
22428 @item colors
22429 Set colors separated by '|' which are going to be used for drawing of each channel.
22430
22431 @item scale
22432 Set amplitude scale.
22433
22434 Available values are:
22435 @table @samp
22436 @item lin
22437 Linear.
22438
22439 @item log
22440 Logarithmic.
22441
22442 @item sqrt
22443 Square root.
22444
22445 @item cbrt
22446 Cubic root.
22447 @end table
22448
22449 Default is linear.
22450 @end table
22451
22452 @subsection Examples
22453
22454 @itemize
22455 @item
22456 Extract a channel split representation of the wave form of a whole audio track
22457 in a 1024x800 picture using @command{ffmpeg}:
22458 @example
22459 ffmpeg -i audio.flac -lavfi showwavespic=split_channels=1:s=1024x800 waveform.png
22460 @end example
22461 @end itemize
22462
22463 @section sidedata, asidedata
22464
22465 Delete frame side data, or select frames based on it.
22466
22467 This filter accepts the following options:
22468
22469 @table @option
22470 @item mode
22471 Set mode of operation of the filter.
22472
22473 Can be one of the following:
22474
22475 @table @samp
22476 @item select
22477 Select every frame with side data of @code{type}.
22478
22479 @item delete
22480 Delete side data of @code{type}. If @code{type} is not set, delete all side
22481 data in the frame.
22482
22483 @end table
22484
22485 @item type
22486 Set side data type used with all modes. Must be set for @code{select} mode. For
22487 the list of frame side data types, refer to the @code{AVFrameSideDataType} enum
22488 in @file{libavutil/frame.h}. For example, to choose
22489 @code{AV_FRAME_DATA_PANSCAN} side data, you must specify @code{PANSCAN}.
22490
22491 @end table
22492
22493 @section spectrumsynth
22494
22495 Sythesize audio from 2 input video spectrums, first input stream represents
22496 magnitude across time and second represents phase across time.
22497 The filter will transform from frequency domain as displayed in videos back
22498 to time domain as presented in audio output.
22499
22500 This filter is primarily created for reversing processed @ref{showspectrum}
22501 filter outputs, but can synthesize sound from other spectrograms too.
22502 But in such case results are going to be poor if the phase data is not
22503 available, because in such cases phase data need to be recreated, usually
22504 it's just recreated from random noise.
22505 For best results use gray only output (@code{channel} color mode in
22506 @ref{showspectrum} filter) and @code{log} scale for magnitude video and
22507 @code{lin} scale for phase video. To produce phase, for 2nd video, use
22508 @code{data} option. Inputs videos should generally use @code{fullframe}
22509 slide mode as that saves resources needed for decoding video.
22510
22511 The filter accepts the following options:
22512
22513 @table @option
22514 @item sample_rate
22515 Specify sample rate of output audio, the sample rate of audio from which
22516 spectrum was generated may differ.
22517
22518 @item channels
22519 Set number of channels represented in input video spectrums.
22520
22521 @item scale
22522 Set scale which was used when generating magnitude input spectrum.
22523 Can be @code{lin} or @code{log}. Default is @code{log}.
22524
22525 @item slide
22526 Set slide which was used when generating inputs spectrums.
22527 Can be @code{replace}, @code{scroll}, @code{fullframe} or @code{rscroll}.
22528 Default is @code{fullframe}.
22529
22530 @item win_func
22531 Set window function used for resynthesis.
22532
22533 @item overlap
22534 Set window overlap. In range @code{[0, 1]}. Default is @code{1},
22535 which means optimal overlap for selected window function will be picked.
22536
22537 @item orientation
22538 Set orientation of input videos. Can be @code{vertical} or @code{horizontal}.
22539 Default is @code{vertical}.
22540 @end table
22541
22542 @subsection Examples
22543
22544 @itemize
22545 @item
22546 First create magnitude and phase videos from audio, assuming audio is stereo with 44100 sample rate,
22547 then resynthesize videos back to audio with spectrumsynth:
22548 @example
22549 ffmpeg -i input.flac -lavfi showspectrum=mode=separate:scale=log:overlap=0.875:color=channel:slide=fullframe:data=magnitude -an -c:v rawvideo magnitude.nut
22550 ffmpeg -i input.flac -lavfi showspectrum=mode=separate:scale=lin:overlap=0.875:color=channel:slide=fullframe:data=phase -an -c:v rawvideo phase.nut
22551 ffmpeg -i magnitude.nut -i phase.nut -lavfi spectrumsynth=channels=2:sample_rate=44100:win_func=hann:overlap=0.875:slide=fullframe output.flac
22552 @end example
22553 @end itemize
22554
22555 @section split, asplit
22556
22557 Split input into several identical outputs.
22558
22559 @code{asplit} works with audio input, @code{split} with video.
22560
22561 The filter accepts a single parameter which specifies the number of outputs. If
22562 unspecified, it defaults to 2.
22563
22564 @subsection Examples
22565
22566 @itemize
22567 @item
22568 Create two separate outputs from the same input:
22569 @example
22570 [in] split [out0][out1]
22571 @end example
22572
22573 @item
22574 To create 3 or more outputs, you need to specify the number of
22575 outputs, like in:
22576 @example
22577 [in] asplit=3 [out0][out1][out2]
22578 @end example
22579
22580 @item
22581 Create two separate outputs from the same input, one cropped and
22582 one padded:
22583 @example
22584 [in] split [splitout1][splitout2];
22585 [splitout1] crop=100:100:0:0    [cropout];
22586 [splitout2] pad=200:200:100:100 [padout];
22587 @end example
22588
22589 @item
22590 Create 5 copies of the input audio with @command{ffmpeg}:
22591 @example
22592 ffmpeg -i INPUT -filter_complex asplit=5 OUTPUT
22593 @end example
22594 @end itemize
22595
22596 @section zmq, azmq
22597
22598 Receive commands sent through a libzmq client, and forward them to
22599 filters in the filtergraph.
22600
22601 @code{zmq} and @code{azmq} work as a pass-through filters. @code{zmq}
22602 must be inserted between two video filters, @code{azmq} between two
22603 audio filters. Both are capable to send messages to any filter type.
22604
22605 To enable these filters you need to install the libzmq library and
22606 headers and configure FFmpeg with @code{--enable-libzmq}.
22607
22608 For more information about libzmq see:
22609 @url{http://www.zeromq.org/}
22610
22611 The @code{zmq} and @code{azmq} filters work as a libzmq server, which
22612 receives messages sent through a network interface defined by the
22613 @option{bind_address} (or the abbreviation "@option{b}") option.
22614 Default value of this option is @file{tcp://localhost:5555}. You may
22615 want to alter this value to your needs, but do not forget to escape any
22616 ':' signs (see @ref{filtergraph escaping}).
22617
22618 The received message must be in the form:
22619 @example
22620 @var{TARGET} @var{COMMAND} [@var{ARG}]
22621 @end example
22622
22623 @var{TARGET} specifies the target of the command, usually the name of
22624 the filter class or a specific filter instance name. The default
22625 filter instance name uses the pattern @samp{Parsed_<filter_name>_<index>},
22626 but you can override this by using the @samp{filter_name@@id} syntax
22627 (see @ref{Filtergraph syntax}).
22628
22629 @var{COMMAND} specifies the name of the command for the target filter.
22630
22631 @var{ARG} is optional and specifies the optional argument list for the
22632 given @var{COMMAND}.
22633
22634 Upon reception, the message is processed and the corresponding command
22635 is injected into the filtergraph. Depending on the result, the filter
22636 will send a reply to the client, adopting the format:
22637 @example
22638 @var{ERROR_CODE} @var{ERROR_REASON}
22639 @var{MESSAGE}
22640 @end example
22641
22642 @var{MESSAGE} is optional.
22643
22644 @subsection Examples
22645
22646 Look at @file{tools/zmqsend} for an example of a zmq client which can
22647 be used to send commands processed by these filters.
22648
22649 Consider the following filtergraph generated by @command{ffplay}.
22650 In this example the last overlay filter has an instance name. All other
22651 filters will have default instance names.
22652
22653 @example
22654 ffplay -dumpgraph 1 -f lavfi "
22655 color=s=100x100:c=red  [l];
22656 color=s=100x100:c=blue [r];
22657 nullsrc=s=200x100, zmq [bg];
22658 [bg][l]   overlay     [bg+l];
22659 [bg+l][r] overlay@@my=x=100 "
22660 @end example
22661
22662 To change the color of the left side of the video, the following
22663 command can be used:
22664 @example
22665 echo Parsed_color_0 c yellow | tools/zmqsend
22666 @end example
22667
22668 To change the right side:
22669 @example
22670 echo Parsed_color_1 c pink | tools/zmqsend
22671 @end example
22672
22673 To change the position of the right side:
22674 @example
22675 echo overlay@@my x 150 | tools/zmqsend
22676 @end example
22677
22678
22679 @c man end MULTIMEDIA FILTERS
22680
22681 @chapter Multimedia Sources
22682 @c man begin MULTIMEDIA SOURCES
22683
22684 Below is a description of the currently available multimedia sources.
22685
22686 @section amovie
22687
22688 This is the same as @ref{movie} source, except it selects an audio
22689 stream by default.
22690
22691 @anchor{movie}
22692 @section movie
22693
22694 Read audio and/or video stream(s) from a movie container.
22695
22696 It accepts the following parameters:
22697
22698 @table @option
22699 @item filename
22700 The name of the resource to read (not necessarily a file; it can also be a
22701 device or a stream accessed through some protocol).
22702
22703 @item format_name, f
22704 Specifies the format assumed for the movie to read, and can be either
22705 the name of a container or an input device. If not specified, the
22706 format is guessed from @var{movie_name} or by probing.
22707
22708 @item seek_point, sp
22709 Specifies the seek point in seconds. The frames will be output
22710 starting from this seek point. The parameter is evaluated with
22711 @code{av_strtod}, so the numerical value may be suffixed by an IS
22712 postfix. The default value is "0".
22713
22714 @item streams, s
22715 Specifies the streams to read. Several streams can be specified,
22716 separated by "+". The source will then have as many outputs, in the
22717 same order. The syntax is explained in the @ref{Stream specifiers,,"Stream specifiers"
22718 section in the ffmpeg manual,ffmpeg}. Two special names, "dv" and "da" specify
22719 respectively the default (best suited) video and audio stream. Default
22720 is "dv", or "da" if the filter is called as "amovie".
22721
22722 @item stream_index, si
22723 Specifies the index of the video stream to read. If the value is -1,
22724 the most suitable video stream will be automatically selected. The default
22725 value is "-1". Deprecated. If the filter is called "amovie", it will select
22726 audio instead of video.
22727
22728 @item loop
22729 Specifies how many times to read the stream in sequence.
22730 If the value is 0, the stream will be looped infinitely.
22731 Default value is "1".
22732
22733 Note that when the movie is looped the source timestamps are not
22734 changed, so it will generate non monotonically increasing timestamps.
22735
22736 @item discontinuity
22737 Specifies the time difference between frames above which the point is
22738 considered a timestamp discontinuity which is removed by adjusting the later
22739 timestamps.
22740 @end table
22741
22742 It allows overlaying a second video on top of the main input of
22743 a filtergraph, as shown in this graph:
22744 @example
22745 input -----------> deltapts0 --> overlay --> output
22746                                     ^
22747                                     |
22748 movie --> scale--> deltapts1 -------+
22749 @end example
22750 @subsection Examples
22751
22752 @itemize
22753 @item
22754 Skip 3.2 seconds from the start of the AVI file in.avi, and overlay it
22755 on top of the input labelled "in":
22756 @example
22757 movie=in.avi:seek_point=3.2, scale=180:-1, setpts=PTS-STARTPTS [over];
22758 [in] setpts=PTS-STARTPTS [main];
22759 [main][over] overlay=16:16 [out]
22760 @end example
22761
22762 @item
22763 Read from a video4linux2 device, and overlay it on top of the input
22764 labelled "in":
22765 @example
22766 movie=/dev/video0:f=video4linux2, scale=180:-1, setpts=PTS-STARTPTS [over];
22767 [in] setpts=PTS-STARTPTS [main];
22768 [main][over] overlay=16:16 [out]
22769 @end example
22770
22771 @item
22772 Read the first video stream and the audio stream with id 0x81 from
22773 dvd.vob; the video is connected to the pad named "video" and the audio is
22774 connected to the pad named "audio":
22775 @example
22776 movie=dvd.vob:s=v:0+#0x81 [video] [audio]
22777 @end example
22778 @end itemize
22779
22780 @subsection Commands
22781
22782 Both movie and amovie support the following commands:
22783 @table @option
22784 @item seek
22785 Perform seek using "av_seek_frame".
22786 The syntax is: seek @var{stream_index}|@var{timestamp}|@var{flags}
22787 @itemize
22788 @item
22789 @var{stream_index}: If stream_index is -1, a default
22790 stream is selected, and @var{timestamp} is automatically converted
22791 from AV_TIME_BASE units to the stream specific time_base.
22792 @item
22793 @var{timestamp}: Timestamp in AVStream.time_base units
22794 or, if no stream is specified, in AV_TIME_BASE units.
22795 @item
22796 @var{flags}: Flags which select direction and seeking mode.
22797 @end itemize
22798
22799 @item get_duration
22800 Get movie duration in AV_TIME_BASE units.
22801
22802 @end table
22803
22804 @c man end MULTIMEDIA SOURCES