1/*
2 * copyright (c) 2001 Fabrice Bellard
3 *
4 * This file is part of FFmpeg.
5 *
6 * FFmpeg is free software; you can redistribute it and/or
7 * modify it under the terms of the GNU Lesser General Public
8 * License as published by the Free Software Foundation; either
9 * version 2.1 of the License, or (at your option) any later version.
10 *
11 * FFmpeg is distributed in the hope that it will be useful,
12 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
14 * Lesser General Public License for more details.
15 *
16 * You should have received a copy of the GNU Lesser General Public
17 * License along with FFmpeg; if not, write to the Free Software
18 * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
19 */
20
21#ifndef AVFORMAT_AVFORMAT_H
22#define AVFORMAT_AVFORMAT_H
23
24#define LIBAVFORMAT_VERSION_MAJOR 52
25#define LIBAVFORMAT_VERSION_MINOR 31
26#define LIBAVFORMAT_VERSION_MICRO  0
27
28#define LIBAVFORMAT_VERSION_INT AV_VERSION_INT(LIBAVFORMAT_VERSION_MAJOR, \
29                                               LIBAVFORMAT_VERSION_MINOR, \
30                                               LIBAVFORMAT_VERSION_MICRO)
31#define LIBAVFORMAT_VERSION     AV_VERSION(LIBAVFORMAT_VERSION_MAJOR,   \
32                                           LIBAVFORMAT_VERSION_MINOR,   \
33                                           LIBAVFORMAT_VERSION_MICRO)
34#define LIBAVFORMAT_BUILD       LIBAVFORMAT_VERSION_INT
35
36#define LIBAVFORMAT_IDENT       "Lavf" AV_STRINGIFY(LIBAVFORMAT_VERSION)
37
38/**
39 * Returns the LIBAVFORMAT_VERSION_INT constant.
40 */
41unsigned avformat_version(void);
42
43#include <time.h>
44#include <stdio.h>  /* FILE */
45#include "libavcodec/avcodec.h"
46
47#include "avio.h"
48
49struct AVFormatContext;
50
51
52/*
53 * Public Metadata API.
54 * The metadata API allows libavformat to export metadata tags to a client
55 * application using a sequence of key/value pairs.
56 * Important concepts to keep in mind:
57 * 1. Keys are unique; there can never be 2 tags with the same key. This is
58 *    also meant semantically, i.e., a demuxer should not knowingly produce
59 *    several keys that are literally different but semantically identical.
60 *    E.g., key=Author5, key=Author6. In this example, all authors must be
61 *    placed in the same tag.
62 * 2. Metadata is flat, not hierarchical; there are no subtags. If you
63 *    want to store, e.g., the email address of the child of producer Alice
64 *    and actor Bob, that could have key=alice_and_bobs_childs_email_address.
65 * 3. A tag whose value is localized for a particular language is appended
66 *    with a dash character ('-') and the ISO 639 3-letter language code.
67 *    For example: Author-ger=Michael, Author-eng=Mike
68 *    The original/default language is in the unqualified "Author" tag.
69 *    A demuxer should set a default if it sets any translated tag.
70 */
71
72#define AV_METADATA_MATCH_CASE      1
73#define AV_METADATA_IGNORE_SUFFIX   2
74
75typedef struct {
76    char *key;
77    char *value;
78}AVMetadataTag;
79
80typedef struct AVMetadata AVMetadata;
81typedef struct AVMetadataConv AVMetadataConv;
82
83/**
84 * Gets a metadata element with matching key.
85 * @param prev Set to the previous matching element to find the next.
86 * @param flags Allows case as well as suffix-insensitive comparisons.
87 * @return Found tag or NULL, changing key or value leads to undefined behavior.
88 */
89AVMetadataTag *
90av_metadata_get(AVMetadata *m, const char *key, const AVMetadataTag *prev, int flags);
91
92/**
93 * Sets the given tag in m, overwriting an existing tag.
94 * @param key tag key to add to m (will be av_strduped)
95 * @param value tag value to add to m (will be av_strduped)
96 * @return >= 0 on success otherwise an error code <0
97 */
98int av_metadata_set(AVMetadata **pm, const char *key, const char *value);
99
100/**
101 * Convert all the metadata sets from ctx according to the source and
102 * destination conversion tables.
103 * @param d_conv destination tags format conversion table
104 * @param s_conv source tags format conversion table
105 */
106void av_metadata_conv(struct AVFormatContext *ctx,const AVMetadataConv *d_conv,
107                                                  const AVMetadataConv *s_conv);
108
109/**
110 * Frees all the memory allocated for an AVMetadata struct.
111 */
112void av_metadata_free(AVMetadata **m);
113
114
115/* packet functions */
116
117typedef struct AVPacket {
118    /**
119     * Presentation timestamp in time_base units; the time at which the
120     * decompressed packet will be presented to the user.
121     * Can be AV_NOPTS_VALUE if it is not stored in the file.
122     * pts MUST be larger or equal to dts as presentation cannot happen before
123     * decompression, unless one wants to view hex dumps. Some formats misuse
124     * the terms dts and pts/cts to mean something different. Such timestamps
125     * must be converted to true pts/dts before they are stored in AVPacket.
126     */
127    int64_t pts;
128    /**
129     * Decompression timestamp in time_base units; the time at which the
130     * packet is decompressed.
131     * Can be AV_NOPTS_VALUE if it is not stored in the file.
132     */
133    int64_t dts;
134    uint8_t *data;
135    int   size;
136    int   stream_index;
137    int   flags;
138    /**
139     * Duration of this packet in time_base units, 0 if unknown.
140     * Equals next_pts - this_pts in presentation order.
141     */
142    int   duration;
143    void  (*destruct)(struct AVPacket *);
144    void  *priv;
145    int64_t pos;                            ///< byte position in stream, -1 if unknown
146
147    /**
148     * Time difference in stream time base units from the pts of this
149     * packet to the point at which the output from the decoder has converged
150     * independent from the availability of previous frames. That is, the
151     * frames are virtually identical no matter if decoding started from
152     * the very first frame or from this keyframe.
153     * Is AV_NOPTS_VALUE if unknown.
154     * This field is not the display duration of the current packet.
155     *
156     * The purpose of this field is to allow seeking in streams that have no
157     * keyframes in the conventional sense. It corresponds to the
158     * recovery point SEI in H.264 and match_time_delta in NUT. It is also
159     * essential for some types of subtitle streams to ensure that all
160     * subtitles are correctly displayed after seeking.
161     */
162    int64_t convergence_duration;
163} AVPacket;
164#define PKT_FLAG_KEY   0x0001
165
166void av_destruct_packet_nofree(AVPacket *pkt);
167
168/**
169 * Default packet destructor.
170 */
171void av_destruct_packet(AVPacket *pkt);
172
173/**
174 * Initialize optional fields of a packet with default values.
175 *
176 * @param pkt packet
177 */
178void av_init_packet(AVPacket *pkt);
179
180/**
181 * Allocate the payload of a packet and initialize its fields with
182 * default values.
183 *
184 * @param pkt packet
185 * @param size wanted payload size
186 * @return 0 if OK, AVERROR_xxx otherwise
187 */
188int av_new_packet(AVPacket *pkt, int size);
189
190/**
191 * Allocate and read the payload of a packet and initialize its fields with
192 * default values.
193 *
194 * @param pkt packet
195 * @param size desired payload size
196 * @return >0 (read size) if OK, AVERROR_xxx otherwise
197 */
198int av_get_packet(ByteIOContext *s, AVPacket *pkt, int size);
199
200/**
201 * @warning This is a hack - the packet memory allocation stuff is broken. The
202 * packet is allocated if it was not really allocated.
203 */
204int av_dup_packet(AVPacket *pkt);
205
206/**
207 * Free a packet.
208 *
209 * @param pkt packet to free
210 */
211static inline void av_free_packet(AVPacket *pkt)
212{
213    if (pkt && pkt->destruct) {
214        pkt->destruct(pkt);
215    }
216}
217
218/*************************************************/
219/* fractional numbers for exact pts handling */
220
221/**
222 * The exact value of the fractional number is: 'val + num / den'.
223 * num is assumed to be 0 <= num < den.
224 */
225typedef struct AVFrac {
226    int64_t val, num, den;
227} AVFrac;
228
229/*************************************************/
230/* input/output formats */
231
232struct AVCodecTag;
233
234/** This structure contains the data a format has to probe a file. */
235typedef struct AVProbeData {
236    const char *filename;
237    unsigned char *buf;
238    int buf_size;
239} AVProbeData;
240
241#define AVPROBE_SCORE_MAX 100               ///< maximum score, half of that is used for file-extension-based detection
242#define AVPROBE_PADDING_SIZE 32             ///< extra allocated bytes at the end of the probe buffer
243
244typedef struct AVFormatParameters {
245    AVRational time_base;
246    int sample_rate;
247    int channels;
248    int width;
249    int height;
250    enum PixelFormat pix_fmt;
251    int channel; /**< Used to select DV channel. */
252    const char *standard; /**< TV standard, NTSC, PAL, SECAM */
253    unsigned int mpeg2ts_raw:1;  /**< Force raw MPEG-2 transport stream output, if possible. */
254    unsigned int mpeg2ts_compute_pcr:1; /**< Compute exact PCR for each transport
255                                            stream packet (only meaningful if
256                                            mpeg2ts_raw is TRUE). */
257    unsigned int initial_pause:1;       /**< Do not begin to play the stream
258                                            immediately (RTSP only). */
259    unsigned int prealloced_context:1;
260#if LIBAVFORMAT_VERSION_INT < (53<<16)
261    enum CodecID video_codec_id;
262    enum CodecID audio_codec_id;
263#endif
264} AVFormatParameters;
265
266//! Demuxer will use url_fopen, no opened file should be provided by the caller.
267#define AVFMT_NOFILE        0x0001
268#define AVFMT_NEEDNUMBER    0x0002 /**< Needs '%d' in filename. */
269#define AVFMT_SHOW_IDS      0x0008 /**< Show format stream IDs numbers. */
270#define AVFMT_RAWPICTURE    0x0020 /**< Format wants AVPicture structure for
271                                      raw picture data. */
272#define AVFMT_GLOBALHEADER  0x0040 /**< Format wants global header. */
273#define AVFMT_NOTIMESTAMPS  0x0080 /**< Format does not need / have any timestamps. */
274#define AVFMT_GENERIC_INDEX 0x0100 /**< Use generic index building code. */
275#define AVFMT_TS_DISCONT    0x0200 /**< Format allows timestamp discontinuities. */
276#define AVFMT_VARIABLE_FPS  0x0400 /**< Format allows variable fps. */
277
278typedef struct AVOutputFormat {
279    const char *name;
280    /**
281     * Descriptive name for the format, meant to be more human-readable
282     * than \p name. You \e should use the NULL_IF_CONFIG_SMALL() macro
283     * to define it.
284     */
285    const char *long_name;
286    const char *mime_type;
287    const char *extensions; /**< comma-separated filename extensions */
288    /** size of private data so that it can be allocated in the wrapper */
289    int priv_data_size;
290    /* output support */
291    enum CodecID audio_codec; /**< default audio codec */
292    enum CodecID video_codec; /**< default video codec */
293    int (*write_header)(struct AVFormatContext *);
294    int (*write_packet)(struct AVFormatContext *, AVPacket *pkt);
295    int (*write_trailer)(struct AVFormatContext *);
296    /** can use flags: AVFMT_NOFILE, AVFMT_NEEDNUMBER, AVFMT_GLOBALHEADER */
297    int flags;
298    /** Currently only used to set pixel format if not YUV420P. */
299    int (*set_parameters)(struct AVFormatContext *, AVFormatParameters *);
300    int (*interleave_packet)(struct AVFormatContext *, AVPacket *out,
301                             AVPacket *in, int flush);
302
303    /**
304     * List of supported codec_id-codec_tag pairs, ordered by "better
305     * choice first". The arrays are all terminated by CODEC_ID_NONE.
306     */
307    const struct AVCodecTag * const *codec_tag;
308
309    enum CodecID subtitle_codec; /**< default subtitle codec */
310
311    const AVMetadataConv *metadata_conv;
312
313    /* private fields */
314    struct AVOutputFormat *next;
315} AVOutputFormat;
316
317typedef struct AVInputFormat {
318    const char *name;
319    /**
320     * Descriptive name for the format, meant to be more human-readable
321     * than \p name. You \e should use the NULL_IF_CONFIG_SMALL() macro
322     * to define it.
323     */
324    const char *long_name;
325    /** Size of private data so that it can be allocated in the wrapper. */
326    int priv_data_size;
327    /**
328     * Tell if a given file has a chance of being parsed as this format.
329     * The buffer provided is guaranteed to be AVPROBE_PADDING_SIZE bytes
330     * big so you do not have to check for that unless you need more.
331     */
332    int (*read_probe)(AVProbeData *);
333    /** Read the format header and initialize the AVFormatContext
334       structure. Return 0 if OK. 'ap' if non-NULL contains
335       additional parameters. Only used in raw format right
336       now. 'av_new_stream' should be called to create new streams.  */
337    int (*read_header)(struct AVFormatContext *,
338                       AVFormatParameters *ap);
339    /** Read one packet and put it in 'pkt'. pts and flags are also
340       set. 'av_new_stream' can be called only if the flag
341       AVFMTCTX_NOHEADER is used. */
342    int (*read_packet)(struct AVFormatContext *, AVPacket *pkt);
343    /** Close the stream. The AVFormatContext and AVStreams are not
344       freed by this function */
345    int (*read_close)(struct AVFormatContext *);
346
347#if LIBAVFORMAT_VERSION_MAJOR < 53
348    /**
349     * Seek to a given timestamp relative to the frames in
350     * stream component stream_index.
351     * @param stream_index Must not be -1.
352     * @param flags Selects which direction should be preferred if no exact
353     *              match is available.
354     * @return >= 0 on success (but not necessarily the new offset)
355     */
356    int (*read_seek)(struct AVFormatContext *,
357                     int stream_index, int64_t timestamp, int flags);
358#endif
359    /**
360     * Gets the next timestamp in stream[stream_index].time_base units.
361     * @return the timestamp or AV_NOPTS_VALUE if an error occurred
362     */
363    int64_t (*read_timestamp)(struct AVFormatContext *s, int stream_index,
364                              int64_t *pos, int64_t pos_limit);
365    /** Can use flags: AVFMT_NOFILE, AVFMT_NEEDNUMBER. */
366    int flags;
367    /** If extensions are defined, then no probe is done. You should
368       usually not use extension format guessing because it is not
369       reliable enough */
370    const char *extensions;
371    /** General purpose read-only value that the format can use. */
372    int value;
373
374    /** Start/resume playing - only meaningful if using a network-based format
375       (RTSP). */
376    int (*read_play)(struct AVFormatContext *);
377
378    /** Pause playing - only meaningful if using a network-based format
379       (RTSP). */
380    int (*read_pause)(struct AVFormatContext *);
381
382    const struct AVCodecTag * const *codec_tag;
383
384    /**
385     * Seek to timestamp ts.
386     * Seeking will be done so that the point from which all active streams
387     * can be presented successfully will be closest to ts and within min/max_ts.
388     * Active streams are all streams that have AVStream.discard < AVDISCARD_ALL.
389     */
390    int (*read_seek2)(struct AVFormatContext *s, int stream_index, int64_t min_ts, int64_t ts, int64_t max_ts, int flags);
391
392    const AVMetadataConv *metadata_conv;
393
394    /* private fields */
395    struct AVInputFormat *next;
396} AVInputFormat;
397
398enum AVStreamParseType {
399    AVSTREAM_PARSE_NONE,
400    AVSTREAM_PARSE_FULL,       /**< full parsing and repack */
401    AVSTREAM_PARSE_HEADERS,    /**< Only parse headers, do not repack. */
402    AVSTREAM_PARSE_TIMESTAMPS, /**< full parsing and interpolation of timestamps for frames not starting on a packet boundary */
403};
404
405typedef struct AVIndexEntry {
406    int64_t pos;
407    int64_t timestamp;
408#define AVINDEX_KEYFRAME 0x0001
409    int flags:2;
410    int size:30; //Yeah, trying to keep the size of this small to reduce memory requirements (it is 24 vs. 32 bytes due to possible 8-byte alignment).
411    int min_distance;         /**< Minimum distance between this and the previous keyframe, used to avoid unneeded searching. */
412} AVIndexEntry;
413
414#define AV_DISPOSITION_DEFAULT   0x0001
415#define AV_DISPOSITION_DUB       0x0002
416#define AV_DISPOSITION_ORIGINAL  0x0004
417#define AV_DISPOSITION_COMMENT   0x0008
418#define AV_DISPOSITION_LYRICS    0x0010
419#define AV_DISPOSITION_KARAOKE   0x0020
420
421/**
422 * Stream structure.
423 * New fields can be added to the end with minor version bumps.
424 * Removal, reordering and changes to existing fields require a major
425 * version bump.
426 * sizeof(AVStream) must not be used outside libav*.
427 */
428typedef struct AVStream {
429    int index;    /**< stream index in AVFormatContext */
430    int id;       /**< format-specific stream ID */
431    AVCodecContext *codec; /**< codec context */
432    /**
433     * Real base framerate of the stream.
434     * This is the lowest framerate with which all timestamps can be
435     * represented accurately (it is the least common multiple of all
436     * framerates in the stream). Note, this value is just a guess!
437     * For example, if the time base is 1/90000 and all frames have either
438     * approximately 3600 or 1800 timer ticks, then r_frame_rate will be 50/1.
439     */
440    AVRational r_frame_rate;
441    void *priv_data;
442
443    /* internal data used in av_find_stream_info() */
444    int64_t first_dts;
445    /** encoding: pts generation when outputting stream */
446    struct AVFrac pts;
447
448    /**
449     * This is the fundamental unit of time (in seconds) in terms
450     * of which frame timestamps are represented. For fixed-fps content,
451     * time base should be 1/framerate and timestamp increments should be 1.
452     */
453    AVRational time_base;
454    int pts_wrap_bits; /**< number of bits in pts (used for wrapping control) */
455    /* ffmpeg.c private use */
456    int stream_copy; /**< If set, just copy stream. */
457    enum AVDiscard discard; ///< Selects which packets can be discarded at will and do not need to be demuxed.
458    //FIXME move stuff to a flags field?
459    /** Quality, as it has been removed from AVCodecContext and put in AVVideoFrame.
460     * MN: dunno if that is the right place for it */
461    float quality;
462    /**
463     * Decoding: pts of the first frame of the stream, in stream time base.
464     * Only set this if you are absolutely 100% sure that the value you set
465     * it to really is the pts of the first frame.
466     * This may be undefined (AV_NOPTS_VALUE).
467     * @note The ASF header does NOT contain a correct start_time the ASF
468     * demuxer must NOT set this.
469     */
470    int64_t start_time;
471    /**
472     * Decoding: duration of the stream, in stream time base.
473     * If a source file does not specify a duration, but does specify
474     * a bitrate, this value will be estimated from bitrate and file size.
475     */
476    int64_t duration;
477
478#if LIBAVFORMAT_VERSION_INT < (53<<16)
479    char language[4]; /** ISO 639 3-letter language code (empty string if undefined) */
480#endif
481
482    /* av_read_frame() support */
483    enum AVStreamParseType need_parsing;
484    struct AVCodecParserContext *parser;
485
486    int64_t cur_dts;
487    int last_IP_duration;
488    int64_t last_IP_pts;
489    /* av_seek_frame() support */
490    AVIndexEntry *index_entries; /**< Only used if the format does not
491                                    support seeking natively. */
492    int nb_index_entries;
493    unsigned int index_entries_allocated_size;
494
495    int64_t nb_frames;                 ///< number of frames in this stream if known or 0
496
497#if LIBAVFORMAT_VERSION_INT < (53<<16)
498    int64_t unused[4+1];
499
500    char *filename; /**< source filename of the stream */
501#endif
502
503    int disposition; /**< AV_DISPOSITION_* bit field */
504
505    AVProbeData probe_data;
506#define MAX_REORDER_DELAY 16
507    int64_t pts_buffer[MAX_REORDER_DELAY+1];
508
509    /**
510     * sample aspect ratio (0 if unknown)
511     * - encoding: Set by user.
512     * - decoding: Set by libavformat.
513     */
514    AVRational sample_aspect_ratio;
515
516    AVMetadata *metadata;
517
518    /* av_read_frame() support */
519    const uint8_t *cur_ptr;
520    int cur_len;
521    AVPacket cur_pkt;
522
523    // Timestamp generation support:
524    /**
525     * Timestamp corresponding to the last dts sync point.
526     *
527     * Initialized when AVCodecParserContext.dts_sync_point >= 0 and
528     * a DTS is received from the underlying container. Otherwise set to
529     * AV_NOPTS_VALUE by default.
530     */
531    int64_t reference_dts;
532} AVStream;
533
534#define AV_PROGRAM_RUNNING 1
535
536/**
537 * New fields can be added to the end with minor version bumps.
538 * Removal, reordering and changes to existing fields require a major
539 * version bump.
540 * sizeof(AVProgram) must not be used outside libav*.
541 */
542typedef struct AVProgram {
543    int            id;
544#if LIBAVFORMAT_VERSION_INT < (53<<16)
545    char           *provider_name; ///< network name for DVB streams
546    char           *name;          ///< service name for DVB streams
547#endif
548    int            flags;
549    enum AVDiscard discard;        ///< selects which program to discard and which to feed to the caller
550    unsigned int   *stream_index;
551    unsigned int   nb_stream_indexes;
552    AVMetadata *metadata;
553} AVProgram;
554
555#define AVFMTCTX_NOHEADER      0x0001 /**< signal that no header is present
556                                         (streams are added dynamically) */
557
558typedef struct AVChapter {
559    int id;                 ///< unique ID to identify the chapter
560    AVRational time_base;   ///< time base in which the start/end timestamps are specified
561    int64_t start, end;     ///< chapter start/end time in time_base units
562#if LIBAVFORMAT_VERSION_INT < (53<<16)
563    char *title;            ///< chapter title
564#endif
565    AVMetadata *metadata;
566} AVChapter;
567
568#define MAX_STREAMS 20
569
570/**
571 * Format I/O context.
572 * New fields can be added to the end with minor version bumps.
573 * Removal, reordering and changes to existing fields require a major
574 * version bump.
575 * sizeof(AVFormatContext) must not be used outside libav*.
576 */
577typedef struct AVFormatContext {
578    const AVClass *av_class; /**< Set by avformat_alloc_context. */
579    /* Can only be iformat or oformat, not both at the same time. */
580    struct AVInputFormat *iformat;
581    struct AVOutputFormat *oformat;
582    void *priv_data;
583    ByteIOContext *pb;
584    unsigned int nb_streams;
585    AVStream *streams[MAX_STREAMS];
586    char filename[1024]; /**< input or output filename */
587    /* stream info */
588    int64_t timestamp;
589#if LIBAVFORMAT_VERSION_INT < (53<<16)
590    char title[512];
591    char author[512];
592    char copyright[512];
593    char comment[512];
594    char album[512];
595    int year;  /**< ID3 year, 0 if none */
596    int track; /**< track number, 0 if none */
597    char genre[32]; /**< ID3 genre */
598#endif
599
600    int ctx_flags; /**< Format-specific flags, see AVFMTCTX_xx */
601    /* private data for pts handling (do not modify directly). */
602    /** This buffer is only needed when packets were already buffered but
603       not decoded, for example to get the codec parameters in MPEG
604       streams. */
605    struct AVPacketList *packet_buffer;
606
607    /** Decoding: position of the first frame of the component, in
608       AV_TIME_BASE fractional seconds. NEVER set this value directly:
609       It is deduced from the AVStream values.  */
610    int64_t start_time;
611    /** Decoding: duration of the stream, in AV_TIME_BASE fractional
612       seconds. NEVER set this value directly: it is deduced from the
613       AVStream values.  */
614    int64_t duration;
615    /** decoding: total file size, 0 if unknown */
616    int64_t file_size;
617    /** Decoding: total stream bitrate in bit/s, 0 if not
618       available. Never set it directly if the file_size and the
619       duration are known as FFmpeg can compute it automatically. */
620    int bit_rate;
621
622    /* av_read_frame() support */
623    AVStream *cur_st;
624#if LIBAVFORMAT_VERSION_INT < (53<<16)
625    const uint8_t *cur_ptr_deprecated;
626    int cur_len_deprecated;
627    AVPacket cur_pkt_deprecated;
628#endif
629
630    /* av_seek_frame() support */
631    int64_t data_offset; /** offset of the first packet */
632    int index_built;
633
634    int mux_rate;
635    int packet_size;
636    int preload;
637    int max_delay;
638
639#define AVFMT_NOOUTPUTLOOP -1
640#define AVFMT_INFINITEOUTPUTLOOP 0
641    /** number of times to loop output in formats that support it */
642    int loop_output;
643
644    int flags;
645#define AVFMT_FLAG_GENPTS       0x0001 ///< Generate missing pts even if it requires parsing future frames.
646#define AVFMT_FLAG_IGNIDX       0x0002 ///< Ignore index.
647#define AVFMT_FLAG_NONBLOCK     0x0004 ///< Do not block when reading packets from input.
648
649    int loop_input;
650    /** decoding: size of data to probe; encoding: unused. */
651    unsigned int probesize;
652
653    /**
654     * Maximum time (in AV_TIME_BASE units) during which the input should
655     * be analyzed in av_find_stream_info().
656     */
657    int max_analyze_duration;
658
659    const uint8_t *key;
660    int keylen;
661
662    unsigned int nb_programs;
663    AVProgram **programs;
664
665    /**
666     * Forced video codec_id.
667     * Demuxing: Set by user.
668     */
669    enum CodecID video_codec_id;
670    /**
671     * Forced audio codec_id.
672     * Demuxing: Set by user.
673     */
674    enum CodecID audio_codec_id;
675    /**
676     * Forced subtitle codec_id.
677     * Demuxing: Set by user.
678     */
679    enum CodecID subtitle_codec_id;
680
681    /**
682     * Maximum amount of memory in bytes to use for the index of each stream.
683     * If the index exceeds this size, entries will be discarded as
684     * needed to maintain a smaller size. This can lead to slower or less
685     * accurate seeking (depends on demuxer).
686     * Demuxers for which a full in-memory index is mandatory will ignore
687     * this.
688     * muxing  : unused
689     * demuxing: set by user
690     */
691    unsigned int max_index_size;
692
693    /**
694     * Maximum amount of memory in bytes to use for buffering frames
695     * obtained from realtime capture devices.
696     */
697    unsigned int max_picture_buffer;
698
699    unsigned int nb_chapters;
700    AVChapter **chapters;
701
702    /**
703     * Flags to enable debugging.
704     */
705    int debug;
706#define FF_FDEBUG_TS        0x0001
707
708    /**
709     * Raw packets from the demuxer, prior to parsing and decoding.
710     * This buffer is used for buffering packets until the codec can
711     * be identified, as parsing cannot be done without knowing the
712     * codec.
713     */
714    struct AVPacketList *raw_packet_buffer;
715    struct AVPacketList *raw_packet_buffer_end;
716
717    struct AVPacketList *packet_buffer_end;
718
719    AVMetadata *metadata;
720} AVFormatContext;
721
722typedef struct AVPacketList {
723    AVPacket pkt;
724    struct AVPacketList *next;
725} AVPacketList;
726
727#if LIBAVFORMAT_VERSION_INT < (53<<16)
728extern AVInputFormat *first_iformat;
729extern AVOutputFormat *first_oformat;
730#endif
731
732/**
733 * If f is NULL, returns the first registered input format,
734 * if f is non-NULL, returns the next registered input format after f
735 * or NULL if f is the last one.
736 */
737AVInputFormat  *av_iformat_next(AVInputFormat  *f);
738
739/**
740 * If f is NULL, returns the first registered output format,
741 * if f is non-NULL, returns the next registered output format after f
742 * or NULL if f is the last one.
743 */
744AVOutputFormat *av_oformat_next(AVOutputFormat *f);
745
746enum CodecID av_guess_image2_codec(const char *filename);
747
748/* XXX: Use automatic init with either ELF sections or C file parser */
749/* modules. */
750
751/* utils.c */
752void av_register_input_format(AVInputFormat *format);
753void av_register_output_format(AVOutputFormat *format);
754AVOutputFormat *guess_stream_format(const char *short_name,
755                                    const char *filename,
756                                    const char *mime_type);
757AVOutputFormat *guess_format(const char *short_name,
758                             const char *filename,
759                             const char *mime_type);
760
761/**
762 * Guesses the codec ID based upon muxer and filename.
763 */
764enum CodecID av_guess_codec(AVOutputFormat *fmt, const char *short_name,
765                            const char *filename, const char *mime_type,
766                            enum CodecType type);
767
768/**
769 * Send a nice hexadecimal dump of a buffer to the specified file stream.
770 *
771 * @param f The file stream pointer where the dump should be sent to.
772 * @param buf buffer
773 * @param size buffer size
774 *
775 * @see av_hex_dump_log, av_pkt_dump, av_pkt_dump_log
776 */
777void av_hex_dump(FILE *f, uint8_t *buf, int size);
778
779/**
780 * Send a nice hexadecimal dump of a buffer to the log.
781 *
782 * @param avcl A pointer to an arbitrary struct of which the first field is a
783 * pointer to an AVClass struct.
784 * @param level The importance level of the message, lower values signifying
785 * higher importance.
786 * @param buf buffer
787 * @param size buffer size
788 *
789 * @see av_hex_dump, av_pkt_dump, av_pkt_dump_log
790 */
791void av_hex_dump_log(void *avcl, int level, uint8_t *buf, int size);
792
793/**
794 * Send a nice dump of a packet to the specified file stream.
795 *
796 * @param f The file stream pointer where the dump should be sent to.
797 * @param pkt packet to dump
798 * @param dump_payload True if the payload must be displayed, too.
799 */
800void av_pkt_dump(FILE *f, AVPacket *pkt, int dump_payload);
801
802/**
803 * Send a nice dump of a packet to the log.
804 *
805 * @param avcl A pointer to an arbitrary struct of which the first field is a
806 * pointer to an AVClass struct.
807 * @param level The importance level of the message, lower values signifying
808 * higher importance.
809 * @param pkt packet to dump
810 * @param dump_payload True if the payload must be displayed, too.
811 */
812void av_pkt_dump_log(void *avcl, int level, AVPacket *pkt, int dump_payload);
813
814/**
815 * Initialize libavformat and register all the muxers, demuxers and
816 * protocols. If you do not call this function, then you can select
817 * exactly which formats you want to support.
818 *
819 * @see av_register_input_format()
820 * @see av_register_output_format()
821 * @see av_register_protocol()
822 */
823void av_register_all(void);
824
825/** codec tag <-> codec id */
826enum CodecID av_codec_get_id(const struct AVCodecTag * const *tags, unsigned int tag);
827unsigned int av_codec_get_tag(const struct AVCodecTag * const *tags, enum CodecID id);
828
829/* media file input */
830
831/**
832 * Finds AVInputFormat based on the short name of the input format.
833 */
834AVInputFormat *av_find_input_format(const char *short_name);
835
836/**
837 * Guess file format.
838 *
839 * @param is_opened Whether the file is already opened; determines whether
840 *                  demuxers with or without AVFMT_NOFILE are probed.
841 */
842AVInputFormat *av_probe_input_format(AVProbeData *pd, int is_opened);
843
844/**
845 * Allocates all the structures needed to read an input stream.
846 *        This does not open the needed codecs for decoding the stream[s].
847 */
848int av_open_input_stream(AVFormatContext **ic_ptr,
849                         ByteIOContext *pb, const char *filename,
850                         AVInputFormat *fmt, AVFormatParameters *ap);
851
852/**
853 * Open a media file as input. The codecs are not opened. Only the file
854 * header (if present) is read.
855 *
856 * @param ic_ptr The opened media file handle is put here.
857 * @param filename filename to open
858 * @param fmt If non-NULL, force the file format to use.
859 * @param buf_size optional buffer size (zero if default is OK)
860 * @param ap Additional parameters needed when opening the file
861 *           (NULL if default).
862 * @return 0 if OK, AVERROR_xxx otherwise
863 */
864int av_open_input_file(AVFormatContext **ic_ptr, const char *filename,
865                       AVInputFormat *fmt,
866                       int buf_size,
867                       AVFormatParameters *ap);
868
869#if LIBAVFORMAT_VERSION_MAJOR < 53
870/**
871 * @deprecated Use avformat_alloc_context() instead.
872 */
873attribute_deprecated AVFormatContext *av_alloc_format_context(void);
874#endif
875
876/**
877 * Allocate an AVFormatContext.
878 * Can be freed with av_free() but do not forget to free everything you
879 * explicitly allocated as well!
880 */
881AVFormatContext *avformat_alloc_context(void);
882
883/**
884 * Read packets of a media file to get stream information. This
885 * is useful for file formats with no headers such as MPEG. This
886 * function also computes the real framerate in case of MPEG-2 repeat
887 * frame mode.
888 * The logical file position is not changed by this function;
889 * examined packets may be buffered for later processing.
890 *
891 * @param ic media file handle
892 * @return >=0 if OK, AVERROR_xxx on error
893 * @todo Let the user decide somehow what information is needed so that
894 *       we do not waste time getting stuff the user does not need.
895 */
896int av_find_stream_info(AVFormatContext *ic);
897
898/**
899 * Read a transport packet from a media file.
900 *
901 * This function is obsolete and should never be used.
902 * Use av_read_frame() instead.
903 *
904 * @param s media file handle
905 * @param pkt is filled
906 * @return 0 if OK, AVERROR_xxx on error
907 */
908int av_read_packet(AVFormatContext *s, AVPacket *pkt);
909
910/**
911 * Return the next frame of a stream.
912 *
913 * The returned packet is valid
914 * until the next av_read_frame() or until av_close_input_file() and
915 * must be freed with av_free_packet. For video, the packet contains
916 * exactly one frame. For audio, it contains an integer number of
917 * frames if each frame has a known fixed size (e.g. PCM or ADPCM
918 * data). If the audio frames have a variable size (e.g. MPEG audio),
919 * then it contains one frame.
920 *
921 * pkt->pts, pkt->dts and pkt->duration are always set to correct
922 * values in AVStream.time_base units (and guessed if the format cannot
923 * provide them). pkt->pts can be AV_NOPTS_VALUE if the video format
924 * has B-frames, so it is better to rely on pkt->dts if you do not
925 * decompress the payload.
926 *
927 * @return 0 if OK, < 0 on error or end of file
928 */
929int av_read_frame(AVFormatContext *s, AVPacket *pkt);
930
931/**
932 * Seek to the keyframe at timestamp.
933 * 'timestamp' in 'stream_index'.
934 * @param stream_index If stream_index is (-1), a default
935 * stream is selected, and timestamp is automatically converted
936 * from AV_TIME_BASE units to the stream specific time_base.
937 * @param timestamp Timestamp in AVStream.time_base units
938 *        or, if no stream is specified, in AV_TIME_BASE units.
939 * @param flags flags which select direction and seeking mode
940 * @return >= 0 on success
941 */
942int av_seek_frame(AVFormatContext *s, int stream_index, int64_t timestamp,
943                  int flags);
944
945/**
946 * Seek to timestamp ts.
947 * Seeking will be done so that the point from which all active streams
948 * can be presented successfully will be closest to ts and within min/max_ts.
949 * Active streams are all streams that have AVStream.discard < AVDISCARD_ALL.
950 *
951 * If flags contain AVSEEK_FLAG_BYTE, then all timestamps are in bytes and
952 * are the file position (this may not be supported by all demuxers).
953 * If flags contain AVSEEK_FLAG_FRAME, then all timestamps are in frames
954 * in the stream with stream_index (this may not be supported by all demuxers).
955 * Otherwise all timestamps are in units of the stream selected by stream_index
956 * or if stream_index is -1, in AV_TIME_BASE units.
957 * If flags contain AVSEEK_FLAG_ANY, then non-keyframes are treated as
958 * keyframes (this may not be supported by all demuxers).
959 *
960 * @param stream_index index of the stream which is used as time base reference
961 * @param min_ts smallest acceptable timestamp
962 * @param ts target timestamp
963 * @param max_ts largest acceptable timestamp
964 * @param flags flags
965 * @returns >=0 on success, error code otherwise
966 *
967 * @NOTE This is part of the new seek API which is still under construction.
968 *       Thus do not use this yet. It may change at any time, do not expect
969 *       ABI compatibility yet!
970 */
971int avformat_seek_file(AVFormatContext *s, int stream_index, int64_t min_ts, int64_t ts, int64_t max_ts, int flags);
972
973/**
974 * Start playing a network-based stream (e.g. RTSP stream) at the
975 * current position.
976 */
977int av_read_play(AVFormatContext *s);
978
979/**
980 * Pause a network-based stream (e.g. RTSP stream).
981 *
982 * Use av_read_play() to resume it.
983 */
984int av_read_pause(AVFormatContext *s);
985
986/**
987 * Free a AVFormatContext allocated by av_open_input_stream.
988 * @param s context to free
989 */
990void av_close_input_stream(AVFormatContext *s);
991
992/**
993 * Close a media file (but not its codecs).
994 *
995 * @param s media file handle
996 */
997void av_close_input_file(AVFormatContext *s);
998
999/**
1000 * Add a new stream to a media file.
1001 *
1002 * Can only be called in the read_header() function. If the flag
1003 * AVFMTCTX_NOHEADER is in the format context, then new streams
1004 * can be added in read_packet too.
1005 *
1006 * @param s media file handle
1007 * @param id file-format-dependent stream ID
1008 */
1009AVStream *av_new_stream(AVFormatContext *s, int id);
1010AVProgram *av_new_program(AVFormatContext *s, int id);
1011
1012/**
1013 * Add a new chapter.
1014 * This function is NOT part of the public API
1015 * and should ONLY be used by demuxers.
1016 *
1017 * @param s media file handle
1018 * @param id unique ID for this chapter
1019 * @param start chapter start time in time_base units
1020 * @param end chapter end time in time_base units
1021 * @param title chapter title
1022 *
1023 * @return AVChapter or NULL on error
1024 */
1025AVChapter *ff_new_chapter(AVFormatContext *s, int id, AVRational time_base,
1026                          int64_t start, int64_t end, const char *title);
1027
1028/**
1029 * Set the pts for a given stream.
1030 *
1031 * @param s stream
1032 * @param pts_wrap_bits number of bits effectively used by the pts
1033 *        (used for wrap control, 33 is the value for MPEG)
1034 * @param pts_num numerator to convert to seconds (MPEG: 1)
1035 * @param pts_den denominator to convert to seconds (MPEG: 90000)
1036 */
1037void av_set_pts_info(AVStream *s, int pts_wrap_bits,
1038                     unsigned int pts_num, unsigned int pts_den);
1039
1040#define AVSEEK_FLAG_BACKWARD 1 ///< seek backward
1041#define AVSEEK_FLAG_BYTE     2 ///< seeking based on position in bytes
1042#define AVSEEK_FLAG_ANY      4 ///< seek to any frame, even non-keyframes
1043
1044int av_find_default_stream_index(AVFormatContext *s);
1045
1046/**
1047 * Gets the index for a specific timestamp.
1048 * @param flags if AVSEEK_FLAG_BACKWARD then the returned index will correspond
1049 *                 to the timestamp which is <= the requested one, if backward
1050 *                 is 0, then it will be >=
1051 *              if AVSEEK_FLAG_ANY seek to any frame, only keyframes otherwise
1052 * @return < 0 if no such timestamp could be found
1053 */
1054int av_index_search_timestamp(AVStream *st, int64_t timestamp, int flags);
1055
1056/**
1057 * Ensures the index uses less memory than the maximum specified in
1058 * AVFormatContext.max_index_size by discarding entries if it grows
1059 * too large.
1060 * This function is not part of the public API and should only be called
1061 * by demuxers.
1062 */
1063void ff_reduce_index(AVFormatContext *s, int stream_index);
1064
1065/**
1066 * Add an index entry into a sorted list. Update the entry if the list
1067 * already contains it.
1068 *
1069 * @param timestamp timestamp in the time base of the given stream
1070 */
1071int av_add_index_entry(AVStream *st, int64_t pos, int64_t timestamp,
1072                       int size, int distance, int flags);
1073
1074/**
1075 * Does a binary search using av_index_search_timestamp() and
1076 * AVCodec.read_timestamp().
1077 * This is not supposed to be called directly by a user application,
1078 * but by demuxers.
1079 * @param target_ts target timestamp in the time base of the given stream
1080 * @param stream_index stream number
1081 */
1082int av_seek_frame_binary(AVFormatContext *s, int stream_index,
1083                         int64_t target_ts, int flags);
1084
1085/**
1086 * Updates cur_dts of all streams based on the given timestamp and AVStream.
1087 *
1088 * Stream ref_st unchanged, others set cur_dts in their native time base.
1089 * Only needed for timestamp wrapping or if (dts not set and pts!=dts).
1090 * @param timestamp new dts expressed in time_base of param ref_st
1091 * @param ref_st reference stream giving time_base of param timestamp
1092 */
1093void av_update_cur_dts(AVFormatContext *s, AVStream *ref_st, int64_t timestamp);
1094
1095/**
1096 * Does a binary search using read_timestamp().
1097 * This is not supposed to be called directly by a user application,
1098 * but by demuxers.
1099 * @param target_ts target timestamp in the time base of the given stream
1100 * @param stream_index stream number
1101 */
1102int64_t av_gen_search(AVFormatContext *s, int stream_index,
1103                      int64_t target_ts, int64_t pos_min,
1104                      int64_t pos_max, int64_t pos_limit,
1105                      int64_t ts_min, int64_t ts_max,
1106                      int flags, int64_t *ts_ret,
1107                      int64_t (*read_timestamp)(struct AVFormatContext *, int , int64_t *, int64_t ));
1108
1109/** media file output */
1110int av_set_parameters(AVFormatContext *s, AVFormatParameters *ap);
1111
1112/**
1113 * Allocate the stream private data and write the stream header to an
1114 * output media file.
1115 *
1116 * @param s media file handle
1117 * @return 0 if OK, AVERROR_xxx on error
1118 */
1119int av_write_header(AVFormatContext *s);
1120
1121/**
1122 * Write a packet to an output media file.
1123 *
1124 * The packet shall contain one audio or video frame.
1125 * The packet must be correctly interleaved according to the container
1126 * specification, if not then av_interleaved_write_frame must be used.
1127 *
1128 * @param s media file handle
1129 * @param pkt The packet, which contains the stream_index, buf/buf_size,
1130              dts/pts, ...
1131 * @return < 0 on error, = 0 if OK, 1 if end of stream wanted
1132 */
1133int av_write_frame(AVFormatContext *s, AVPacket *pkt);
1134
1135/**
1136 * Writes a packet to an output media file ensuring correct interleaving.
1137 *
1138 * The packet must contain one audio or video frame.
1139 * If the packets are already correctly interleaved, the application should
1140 * call av_write_frame() instead as it is slightly faster. It is also important
1141 * to keep in mind that completely non-interleaved input will need huge amounts
1142 * of memory to interleave with this, so it is preferable to interleave at the
1143 * demuxer level.
1144 *
1145 * @param s media file handle
1146 * @param pkt The packet, which contains the stream_index, buf/buf_size,
1147              dts/pts, ...
1148 * @return < 0 on error, = 0 if OK, 1 if end of stream wanted
1149 */
1150int av_interleaved_write_frame(AVFormatContext *s, AVPacket *pkt);
1151
1152/**
1153 * Interleave a packet per dts in an output media file.
1154 *
1155 * Packets with pkt->destruct == av_destruct_packet will be freed inside this
1156 * function, so they cannot be used after it. Note that calling av_free_packet()
1157 * on them is still safe.
1158 *
1159 * @param s media file handle
1160 * @param out the interleaved packet will be output here
1161 * @param in the input packet
1162 * @param flush 1 if no further packets are available as input and all
1163 *              remaining packets should be output
1164 * @return 1 if a packet was output, 0 if no packet could be output,
1165 *         < 0 if an error occurred
1166 */
1167int av_interleave_packet_per_dts(AVFormatContext *s, AVPacket *out,
1168                                 AVPacket *pkt, int flush);
1169
1170/**
1171 * @brief Write the stream trailer to an output media file and
1172 *        free the file private data.
1173 *
1174 * May only be called after a successful call to av_write_header.
1175 *
1176 * @param s media file handle
1177 * @return 0 if OK, AVERROR_xxx on error
1178 */
1179int av_write_trailer(AVFormatContext *s);
1180
1181void dump_format(AVFormatContext *ic,
1182                 int index,
1183                 const char *url,
1184                 int is_output);
1185
1186#if LIBAVFORMAT_VERSION_MAJOR < 53
1187/**
1188 * Parses width and height out of string str.
1189 * @deprecated Use av_parse_video_frame_size instead.
1190 */
1191attribute_deprecated int parse_image_size(int *width_ptr, int *height_ptr,
1192                                          const char *str);
1193
1194/**
1195 * Converts framerate from a string to a fraction.
1196 * @deprecated Use av_parse_video_frame_rate instead.
1197 */
1198attribute_deprecated int parse_frame_rate(int *frame_rate, int *frame_rate_base,
1199                                          const char *arg);
1200#endif
1201
1202/**
1203 * Parses \p datestr and returns a corresponding number of microseconds.
1204 * @param datestr String representing a date or a duration.
1205 * - If a date the syntax is:
1206 * @code
1207 *  [{YYYY-MM-DD|YYYYMMDD}]{T| }{HH[:MM[:SS[.m...]]][Z]|HH[MM[SS[.m...]]][Z]}
1208 * @endcode
1209 * Time is local time unless Z is appended, in which case it is
1210 * interpreted as UTC.
1211 * If the year-month-day part is not specified it takes the current
1212 * year-month-day.
1213 * Returns the number of microseconds since 1st of January, 1970 up to
1214 * the time of the parsed date or INT64_MIN if \p datestr cannot be
1215 * successfully parsed.
1216 * - If a duration the syntax is:
1217 * @code
1218 *  [-]HH[:MM[:SS[.m...]]]
1219 *  [-]S+[.m...]
1220 * @endcode
1221 * Returns the number of microseconds contained in a time interval
1222 * with the specified duration or INT64_MIN if \p datestr cannot be
1223 * successfully parsed.
1224 * @param duration Flag which tells how to interpret \p datestr, if
1225 * not zero \p datestr is interpreted as a duration, otherwise as a
1226 * date.
1227 */
1228int64_t parse_date(const char *datestr, int duration);
1229
1230/** Gets the current time in microseconds. */
1231int64_t av_gettime(void);
1232
1233/* ffm-specific for ffserver */
1234#define FFM_PACKET_SIZE 4096
1235int64_t ffm_read_write_index(int fd);
1236int ffm_write_write_index(int fd, int64_t pos);
1237void ffm_set_write_index(AVFormatContext *s, int64_t pos, int64_t file_size);
1238
1239/**
1240 * Attempts to find a specific tag in a URL.
1241 *
1242 * syntax: '?tag1=val1&tag2=val2...'. Little URL decoding is done.
1243 * Return 1 if found.
1244 */
1245int find_info_tag(char *arg, int arg_size, const char *tag1, const char *info);
1246
1247/**
1248 * Returns in 'buf' the path with '%d' replaced by a number.
1249 *
1250 * Also handles the '%0nd' format where 'n' is the total number
1251 * of digits and '%%'.
1252 *
1253 * @param buf destination buffer
1254 * @param buf_size destination buffer size
1255 * @param path numbered sequence string
1256 * @param number frame number
1257 * @return 0 if OK, -1 on format error
1258 */
1259int av_get_frame_filename(char *buf, int buf_size,
1260                          const char *path, int number);
1261
1262/**
1263 * Check whether filename actually is a numbered sequence generator.
1264 *
1265 * @param filename possible numbered sequence string
1266 * @return 1 if a valid numbered sequence string, 0 otherwise
1267 */
1268int av_filename_number_test(const char *filename);
1269
1270/**
1271 * Generate an SDP for an RTP session.
1272 *
1273 * @param ac array of AVFormatContexts describing the RTP streams. If the
1274 *           array is composed by only one context, such context can contain
1275 *           multiple AVStreams (one AVStream per RTP stream). Otherwise,
1276 *           all the contexts in the array (an AVCodecContext per RTP stream)
1277 *           must contain only one AVStream.
1278 * @param n_files number of AVCodecContexts contained in ac
1279 * @param buff buffer where the SDP will be stored (must be allocated by
1280 *             the caller)
1281 * @param size the size of the buffer
1282 * @return 0 if OK, AVERROR_xxx on error
1283 */
1284int avf_sdp_create(AVFormatContext *ac[], int n_files, char *buff, int size);
1285
1286#ifdef HAVE_AV_CONFIG_H
1287
1288void ff_dynarray_add(intptr_t **tab_ptr, int *nb_ptr, intptr_t elem);
1289
1290#ifdef __GNUC__
1291#define dynarray_add(tab, nb_ptr, elem)\
1292do {\
1293    __typeof__(tab) _tab = (tab);\
1294    __typeof__(elem) _elem = (elem);\
1295    (void)sizeof(**_tab == _elem); /* check that types are compatible */\
1296    ff_dynarray_add((intptr_t **)_tab, nb_ptr, (intptr_t)_elem);\
1297} while(0)
1298#else
1299#define dynarray_add(tab, nb_ptr, elem)\
1300do {\
1301    ff_dynarray_add((intptr_t **)(tab), nb_ptr, (intptr_t)(elem));\
1302} while(0)
1303#endif
1304
1305time_t mktimegm(struct tm *tm);
1306struct tm *brktimegm(time_t secs, struct tm *tm);
1307const char *small_strptime(const char *p, const char *fmt,
1308                           struct tm *dt);
1309
1310struct in_addr;
1311int resolve_host(struct in_addr *sin_addr, const char *hostname);
1312
1313void url_split(char *proto, int proto_size,
1314               char *authorization, int authorization_size,
1315               char *hostname, int hostname_size,
1316               int *port_ptr,
1317               char *path, int path_size,
1318               const char *url);
1319
1320int match_ext(const char *filename, const char *extensions);
1321
1322#endif /* HAVE_AV_CONFIG_H */
1323
1324#endif /* AVFORMAT_AVFORMAT_H */
1325