You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

4031 lines
130KB

  1. /*
  2. * various utility functions for use within Libav
  3. * Copyright (c) 2000, 2001, 2002 Fabrice Bellard
  4. *
  5. * This file is part of Libav.
  6. *
  7. * Libav is free software; you can redistribute it and/or
  8. * modify it under the terms of the GNU Lesser General Public
  9. * License as published by the Free Software Foundation; either
  10. * version 2.1 of the License, or (at your option) any later version.
  11. *
  12. * Libav is distributed in the hope that it will be useful,
  13. * but WITHOUT ANY WARRANTY; without even the implied warranty of
  14. * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  15. * Lesser General Public License for more details.
  16. *
  17. * You should have received a copy of the GNU Lesser General Public
  18. * License along with Libav; if not, write to the Free Software
  19. * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
  20. */
  21. /* #define DEBUG */
  22. #include "avformat.h"
  23. #include "avio_internal.h"
  24. #include "internal.h"
  25. #include "libavcodec/internal.h"
  26. #include "libavcodec/bytestream.h"
  27. #include "libavutil/opt.h"
  28. #include "libavutil/dict.h"
  29. #include "libavutil/pixdesc.h"
  30. #include "metadata.h"
  31. #include "id3v2.h"
  32. #include "libavutil/avassert.h"
  33. #include "libavutil/avstring.h"
  34. #include "libavutil/mathematics.h"
  35. #include "libavutil/parseutils.h"
  36. #include "libavutil/time.h"
  37. #include "riff.h"
  38. #include "audiointerleave.h"
  39. #include "url.h"
  40. #include <stdarg.h>
  41. #if CONFIG_NETWORK
  42. #include "network.h"
  43. #endif
  44. #undef NDEBUG
  45. #include <assert.h>
  46. /**
  47. * @file
  48. * various utility functions for use within Libav
  49. */
  50. unsigned avformat_version(void)
  51. {
  52. return LIBAVFORMAT_VERSION_INT;
  53. }
  54. const char *avformat_configuration(void)
  55. {
  56. return LIBAV_CONFIGURATION;
  57. }
  58. const char *avformat_license(void)
  59. {
  60. #define LICENSE_PREFIX "libavformat license: "
  61. return LICENSE_PREFIX LIBAV_LICENSE + sizeof(LICENSE_PREFIX) - 1;
  62. }
  63. /* fraction handling */
  64. /**
  65. * f = val + (num / den) + 0.5.
  66. *
  67. * 'num' is normalized so that it is such as 0 <= num < den.
  68. *
  69. * @param f fractional number
  70. * @param val integer value
  71. * @param num must be >= 0
  72. * @param den must be >= 1
  73. */
  74. static void frac_init(AVFrac *f, int64_t val, int64_t num, int64_t den)
  75. {
  76. num += (den >> 1);
  77. if (num >= den) {
  78. val += num / den;
  79. num = num % den;
  80. }
  81. f->val = val;
  82. f->num = num;
  83. f->den = den;
  84. }
  85. /**
  86. * Fractional addition to f: f = f + (incr / f->den).
  87. *
  88. * @param f fractional number
  89. * @param incr increment, can be positive or negative
  90. */
  91. static void frac_add(AVFrac *f, int64_t incr)
  92. {
  93. int64_t num, den;
  94. num = f->num + incr;
  95. den = f->den;
  96. if (num < 0) {
  97. f->val += num / den;
  98. num = num % den;
  99. if (num < 0) {
  100. num += den;
  101. f->val--;
  102. }
  103. } else if (num >= den) {
  104. f->val += num / den;
  105. num = num % den;
  106. }
  107. f->num = num;
  108. }
  109. /** head of registered input format linked list */
  110. static AVInputFormat *first_iformat = NULL;
  111. /** head of registered output format linked list */
  112. static AVOutputFormat *first_oformat = NULL;
  113. AVInputFormat *av_iformat_next(AVInputFormat *f)
  114. {
  115. if(f) return f->next;
  116. else return first_iformat;
  117. }
  118. AVOutputFormat *av_oformat_next(AVOutputFormat *f)
  119. {
  120. if(f) return f->next;
  121. else return first_oformat;
  122. }
  123. void av_register_input_format(AVInputFormat *format)
  124. {
  125. AVInputFormat **p;
  126. p = &first_iformat;
  127. while (*p != NULL) p = &(*p)->next;
  128. *p = format;
  129. format->next = NULL;
  130. }
  131. void av_register_output_format(AVOutputFormat *format)
  132. {
  133. AVOutputFormat **p;
  134. p = &first_oformat;
  135. while (*p != NULL) p = &(*p)->next;
  136. *p = format;
  137. format->next = NULL;
  138. }
  139. int av_match_ext(const char *filename, const char *extensions)
  140. {
  141. const char *ext, *p;
  142. char ext1[32], *q;
  143. if(!filename)
  144. return 0;
  145. ext = strrchr(filename, '.');
  146. if (ext) {
  147. ext++;
  148. p = extensions;
  149. for(;;) {
  150. q = ext1;
  151. while (*p != '\0' && *p != ',' && q-ext1<sizeof(ext1)-1)
  152. *q++ = *p++;
  153. *q = '\0';
  154. if (!av_strcasecmp(ext1, ext))
  155. return 1;
  156. if (*p == '\0')
  157. break;
  158. p++;
  159. }
  160. }
  161. return 0;
  162. }
  163. static int match_format(const char *name, const char *names)
  164. {
  165. const char *p;
  166. int len, namelen;
  167. if (!name || !names)
  168. return 0;
  169. namelen = strlen(name);
  170. while ((p = strchr(names, ','))) {
  171. len = FFMAX(p - names, namelen);
  172. if (!av_strncasecmp(name, names, len))
  173. return 1;
  174. names = p+1;
  175. }
  176. return !av_strcasecmp(name, names);
  177. }
  178. AVOutputFormat *av_guess_format(const char *short_name, const char *filename,
  179. const char *mime_type)
  180. {
  181. AVOutputFormat *fmt = NULL, *fmt_found;
  182. int score_max, score;
  183. /* specific test for image sequences */
  184. #if CONFIG_IMAGE2_MUXER
  185. if (!short_name && filename &&
  186. av_filename_number_test(filename) &&
  187. ff_guess_image2_codec(filename) != AV_CODEC_ID_NONE) {
  188. return av_guess_format("image2", NULL, NULL);
  189. }
  190. #endif
  191. /* Find the proper file type. */
  192. fmt_found = NULL;
  193. score_max = 0;
  194. while ((fmt = av_oformat_next(fmt))) {
  195. score = 0;
  196. if (fmt->name && short_name && !av_strcasecmp(fmt->name, short_name))
  197. score += 100;
  198. if (fmt->mime_type && mime_type && !strcmp(fmt->mime_type, mime_type))
  199. score += 10;
  200. if (filename && fmt->extensions &&
  201. av_match_ext(filename, fmt->extensions)) {
  202. score += 5;
  203. }
  204. if (score > score_max) {
  205. score_max = score;
  206. fmt_found = fmt;
  207. }
  208. }
  209. return fmt_found;
  210. }
  211. enum AVCodecID av_guess_codec(AVOutputFormat *fmt, const char *short_name,
  212. const char *filename, const char *mime_type, enum AVMediaType type){
  213. if(type == AVMEDIA_TYPE_VIDEO){
  214. enum AVCodecID codec_id= AV_CODEC_ID_NONE;
  215. #if CONFIG_IMAGE2_MUXER
  216. if(!strcmp(fmt->name, "image2") || !strcmp(fmt->name, "image2pipe")){
  217. codec_id= ff_guess_image2_codec(filename);
  218. }
  219. #endif
  220. if(codec_id == AV_CODEC_ID_NONE)
  221. codec_id= fmt->video_codec;
  222. return codec_id;
  223. }else if(type == AVMEDIA_TYPE_AUDIO)
  224. return fmt->audio_codec;
  225. else if (type == AVMEDIA_TYPE_SUBTITLE)
  226. return fmt->subtitle_codec;
  227. else
  228. return AV_CODEC_ID_NONE;
  229. }
  230. AVInputFormat *av_find_input_format(const char *short_name)
  231. {
  232. AVInputFormat *fmt = NULL;
  233. while ((fmt = av_iformat_next(fmt))) {
  234. if (match_format(short_name, fmt->name))
  235. return fmt;
  236. }
  237. return NULL;
  238. }
  239. int av_get_packet(AVIOContext *s, AVPacket *pkt, int size)
  240. {
  241. int ret= av_new_packet(pkt, size);
  242. if(ret<0)
  243. return ret;
  244. pkt->pos= avio_tell(s);
  245. ret= avio_read(s, pkt->data, size);
  246. if(ret<=0)
  247. av_free_packet(pkt);
  248. else
  249. av_shrink_packet(pkt, ret);
  250. return ret;
  251. }
  252. int av_append_packet(AVIOContext *s, AVPacket *pkt, int size)
  253. {
  254. int ret;
  255. int old_size;
  256. if (!pkt->size)
  257. return av_get_packet(s, pkt, size);
  258. old_size = pkt->size;
  259. ret = av_grow_packet(pkt, size);
  260. if (ret < 0)
  261. return ret;
  262. ret = avio_read(s, pkt->data + old_size, size);
  263. av_shrink_packet(pkt, old_size + FFMAX(ret, 0));
  264. return ret;
  265. }
  266. int av_filename_number_test(const char *filename)
  267. {
  268. char buf[1024];
  269. return filename && (av_get_frame_filename(buf, sizeof(buf), filename, 1)>=0);
  270. }
  271. AVInputFormat *av_probe_input_format2(AVProbeData *pd, int is_opened, int *score_max)
  272. {
  273. AVProbeData lpd = *pd;
  274. AVInputFormat *fmt1 = NULL, *fmt;
  275. int score, id3 = 0;
  276. if (lpd.buf_size > 10 && ff_id3v2_match(lpd.buf, ID3v2_DEFAULT_MAGIC)) {
  277. int id3len = ff_id3v2_tag_len(lpd.buf);
  278. if (lpd.buf_size > id3len + 16) {
  279. lpd.buf += id3len;
  280. lpd.buf_size -= id3len;
  281. }
  282. id3 = 1;
  283. }
  284. fmt = NULL;
  285. while ((fmt1 = av_iformat_next(fmt1))) {
  286. if (!is_opened == !(fmt1->flags & AVFMT_NOFILE))
  287. continue;
  288. score = 0;
  289. if (fmt1->read_probe) {
  290. score = fmt1->read_probe(&lpd);
  291. } else if (fmt1->extensions) {
  292. if (av_match_ext(lpd.filename, fmt1->extensions)) {
  293. score = 50;
  294. }
  295. }
  296. if (score > *score_max) {
  297. *score_max = score;
  298. fmt = fmt1;
  299. }else if (score == *score_max)
  300. fmt = NULL;
  301. }
  302. /* a hack for files with huge id3v2 tags -- try to guess by file extension. */
  303. if (!fmt && is_opened && *score_max < AVPROBE_SCORE_MAX/4) {
  304. while ((fmt = av_iformat_next(fmt)))
  305. if (fmt->extensions && av_match_ext(lpd.filename, fmt->extensions)) {
  306. *score_max = AVPROBE_SCORE_MAX/4;
  307. break;
  308. }
  309. }
  310. if (!fmt && id3 && *score_max < AVPROBE_SCORE_MAX/4-1) {
  311. while ((fmt = av_iformat_next(fmt)))
  312. if (fmt->extensions && av_match_ext("mp3", fmt->extensions)) {
  313. *score_max = AVPROBE_SCORE_MAX/4-1;
  314. break;
  315. }
  316. }
  317. return fmt;
  318. }
  319. AVInputFormat *av_probe_input_format(AVProbeData *pd, int is_opened){
  320. int score=0;
  321. return av_probe_input_format2(pd, is_opened, &score);
  322. }
  323. static int set_codec_from_probe_data(AVFormatContext *s, AVStream *st, AVProbeData *pd, int score)
  324. {
  325. static const struct {
  326. const char *name; enum AVCodecID id; enum AVMediaType type;
  327. } fmt_id_type[] = {
  328. { "aac" , AV_CODEC_ID_AAC , AVMEDIA_TYPE_AUDIO },
  329. { "ac3" , AV_CODEC_ID_AC3 , AVMEDIA_TYPE_AUDIO },
  330. { "dts" , AV_CODEC_ID_DTS , AVMEDIA_TYPE_AUDIO },
  331. { "eac3" , AV_CODEC_ID_EAC3 , AVMEDIA_TYPE_AUDIO },
  332. { "h264" , AV_CODEC_ID_H264 , AVMEDIA_TYPE_VIDEO },
  333. { "m4v" , AV_CODEC_ID_MPEG4 , AVMEDIA_TYPE_VIDEO },
  334. { "mp3" , AV_CODEC_ID_MP3 , AVMEDIA_TYPE_AUDIO },
  335. { "mpegvideo", AV_CODEC_ID_MPEG2VIDEO, AVMEDIA_TYPE_VIDEO },
  336. { 0 }
  337. };
  338. AVInputFormat *fmt = av_probe_input_format2(pd, 1, &score);
  339. if (fmt) {
  340. int i;
  341. av_log(s, AV_LOG_DEBUG, "Probe with size=%d, packets=%d detected %s with score=%d\n",
  342. pd->buf_size, MAX_PROBE_PACKETS - st->probe_packets, fmt->name, score);
  343. for (i = 0; fmt_id_type[i].name; i++) {
  344. if (!strcmp(fmt->name, fmt_id_type[i].name)) {
  345. st->codec->codec_id = fmt_id_type[i].id;
  346. st->codec->codec_type = fmt_id_type[i].type;
  347. break;
  348. }
  349. }
  350. }
  351. return !!fmt;
  352. }
  353. /************************************************************/
  354. /* input media file */
  355. /** size of probe buffer, for guessing file type from file contents */
  356. #define PROBE_BUF_MIN 2048
  357. #define PROBE_BUF_MAX (1<<20)
  358. int av_probe_input_buffer(AVIOContext *pb, AVInputFormat **fmt,
  359. const char *filename, void *logctx,
  360. unsigned int offset, unsigned int max_probe_size)
  361. {
  362. AVProbeData pd = { filename ? filename : "", NULL, -offset };
  363. unsigned char *buf = NULL;
  364. int ret = 0, probe_size;
  365. if (!max_probe_size) {
  366. max_probe_size = PROBE_BUF_MAX;
  367. } else if (max_probe_size > PROBE_BUF_MAX) {
  368. max_probe_size = PROBE_BUF_MAX;
  369. } else if (max_probe_size < PROBE_BUF_MIN) {
  370. return AVERROR(EINVAL);
  371. }
  372. if (offset >= max_probe_size) {
  373. return AVERROR(EINVAL);
  374. }
  375. for(probe_size= PROBE_BUF_MIN; probe_size<=max_probe_size && !*fmt;
  376. probe_size = FFMIN(probe_size<<1, FFMAX(max_probe_size, probe_size+1))) {
  377. int score = probe_size < max_probe_size ? AVPROBE_SCORE_MAX/4 : 0;
  378. int buf_offset = (probe_size == PROBE_BUF_MIN) ? 0 : probe_size>>1;
  379. if (probe_size < offset) {
  380. continue;
  381. }
  382. /* read probe data */
  383. buf = av_realloc(buf, probe_size + AVPROBE_PADDING_SIZE);
  384. if ((ret = avio_read(pb, buf + buf_offset, probe_size - buf_offset)) < 0) {
  385. /* fail if error was not end of file, otherwise, lower score */
  386. if (ret != AVERROR_EOF) {
  387. av_free(buf);
  388. return ret;
  389. }
  390. score = 0;
  391. ret = 0; /* error was end of file, nothing read */
  392. }
  393. pd.buf_size += ret;
  394. pd.buf = &buf[offset];
  395. memset(pd.buf + pd.buf_size, 0, AVPROBE_PADDING_SIZE);
  396. /* guess file format */
  397. *fmt = av_probe_input_format2(&pd, 1, &score);
  398. if(*fmt){
  399. if(score <= AVPROBE_SCORE_MAX/4){ //this can only be true in the last iteration
  400. av_log(logctx, AV_LOG_WARNING, "Format detected only with low score of %d, misdetection possible!\n", score);
  401. }else
  402. av_log(logctx, AV_LOG_DEBUG, "Probed with size=%d and score=%d\n", probe_size, score);
  403. }
  404. }
  405. if (!*fmt) {
  406. av_free(buf);
  407. return AVERROR_INVALIDDATA;
  408. }
  409. /* rewind. reuse probe buffer to avoid seeking */
  410. if ((ret = ffio_rewind_with_probe_data(pb, buf, pd.buf_size)) < 0)
  411. av_free(buf);
  412. return ret;
  413. }
  414. /* open input file and probe the format if necessary */
  415. static int init_input(AVFormatContext *s, const char *filename, AVDictionary **options)
  416. {
  417. int ret;
  418. AVProbeData pd = {filename, NULL, 0};
  419. if (s->pb) {
  420. s->flags |= AVFMT_FLAG_CUSTOM_IO;
  421. if (!s->iformat)
  422. return av_probe_input_buffer(s->pb, &s->iformat, filename, s, 0, s->probesize);
  423. else if (s->iformat->flags & AVFMT_NOFILE)
  424. return AVERROR(EINVAL);
  425. return 0;
  426. }
  427. if ( (s->iformat && s->iformat->flags & AVFMT_NOFILE) ||
  428. (!s->iformat && (s->iformat = av_probe_input_format(&pd, 0))))
  429. return 0;
  430. if ((ret = avio_open2(&s->pb, filename, AVIO_FLAG_READ,
  431. &s->interrupt_callback, options)) < 0)
  432. return ret;
  433. if (s->iformat)
  434. return 0;
  435. return av_probe_input_buffer(s->pb, &s->iformat, filename, s, 0, s->probesize);
  436. }
  437. static AVPacket *add_to_pktbuf(AVPacketList **packet_buffer, AVPacket *pkt,
  438. AVPacketList **plast_pktl){
  439. AVPacketList *pktl = av_mallocz(sizeof(AVPacketList));
  440. if (!pktl)
  441. return NULL;
  442. if (*packet_buffer)
  443. (*plast_pktl)->next = pktl;
  444. else
  445. *packet_buffer = pktl;
  446. /* add the packet in the buffered packet list */
  447. *plast_pktl = pktl;
  448. pktl->pkt= *pkt;
  449. return &pktl->pkt;
  450. }
  451. static void queue_attached_pictures(AVFormatContext *s)
  452. {
  453. int i;
  454. for (i = 0; i < s->nb_streams; i++)
  455. if (s->streams[i]->disposition & AV_DISPOSITION_ATTACHED_PIC &&
  456. s->streams[i]->discard < AVDISCARD_ALL) {
  457. AVPacket copy = s->streams[i]->attached_pic;
  458. copy.destruct = NULL;
  459. add_to_pktbuf(&s->raw_packet_buffer, &copy, &s->raw_packet_buffer_end);
  460. }
  461. }
  462. int avformat_open_input(AVFormatContext **ps, const char *filename, AVInputFormat *fmt, AVDictionary **options)
  463. {
  464. AVFormatContext *s = *ps;
  465. int ret = 0;
  466. AVDictionary *tmp = NULL;
  467. ID3v2ExtraMeta *id3v2_extra_meta = NULL;
  468. if (!s && !(s = avformat_alloc_context()))
  469. return AVERROR(ENOMEM);
  470. if (fmt)
  471. s->iformat = fmt;
  472. if (options)
  473. av_dict_copy(&tmp, *options, 0);
  474. if ((ret = av_opt_set_dict(s, &tmp)) < 0)
  475. goto fail;
  476. if ((ret = init_input(s, filename, &tmp)) < 0)
  477. goto fail;
  478. /* check filename in case an image number is expected */
  479. if (s->iformat->flags & AVFMT_NEEDNUMBER) {
  480. if (!av_filename_number_test(filename)) {
  481. ret = AVERROR(EINVAL);
  482. goto fail;
  483. }
  484. }
  485. s->duration = s->start_time = AV_NOPTS_VALUE;
  486. av_strlcpy(s->filename, filename ? filename : "", sizeof(s->filename));
  487. /* allocate private data */
  488. if (s->iformat->priv_data_size > 0) {
  489. if (!(s->priv_data = av_mallocz(s->iformat->priv_data_size))) {
  490. ret = AVERROR(ENOMEM);
  491. goto fail;
  492. }
  493. if (s->iformat->priv_class) {
  494. *(const AVClass**)s->priv_data = s->iformat->priv_class;
  495. av_opt_set_defaults(s->priv_data);
  496. if ((ret = av_opt_set_dict(s->priv_data, &tmp)) < 0)
  497. goto fail;
  498. }
  499. }
  500. /* e.g. AVFMT_NOFILE formats will not have a AVIOContext */
  501. if (s->pb)
  502. ff_id3v2_read(s, ID3v2_DEFAULT_MAGIC, &id3v2_extra_meta);
  503. if (s->iformat->read_header)
  504. if ((ret = s->iformat->read_header(s)) < 0)
  505. goto fail;
  506. if (id3v2_extra_meta &&
  507. (ret = ff_id3v2_parse_apic(s, &id3v2_extra_meta)) < 0)
  508. goto fail;
  509. ff_id3v2_free_extra_meta(&id3v2_extra_meta);
  510. queue_attached_pictures(s);
  511. if (s->pb && !s->data_offset)
  512. s->data_offset = avio_tell(s->pb);
  513. s->raw_packet_buffer_remaining_size = RAW_PACKET_BUFFER_SIZE;
  514. if (options) {
  515. av_dict_free(options);
  516. *options = tmp;
  517. }
  518. *ps = s;
  519. return 0;
  520. fail:
  521. ff_id3v2_free_extra_meta(&id3v2_extra_meta);
  522. av_dict_free(&tmp);
  523. if (s->pb && !(s->flags & AVFMT_FLAG_CUSTOM_IO))
  524. avio_close(s->pb);
  525. avformat_free_context(s);
  526. *ps = NULL;
  527. return ret;
  528. }
  529. /*******************************************************/
  530. static void probe_codec(AVFormatContext *s, AVStream *st, const AVPacket *pkt)
  531. {
  532. if(st->codec->codec_id == AV_CODEC_ID_PROBE){
  533. AVProbeData *pd = &st->probe_data;
  534. av_log(s, AV_LOG_DEBUG, "probing stream %d\n", st->index);
  535. --st->probe_packets;
  536. if (pkt) {
  537. pd->buf = av_realloc(pd->buf, pd->buf_size+pkt->size+AVPROBE_PADDING_SIZE);
  538. memcpy(pd->buf+pd->buf_size, pkt->data, pkt->size);
  539. pd->buf_size += pkt->size;
  540. memset(pd->buf+pd->buf_size, 0, AVPROBE_PADDING_SIZE);
  541. } else {
  542. st->probe_packets = 0;
  543. }
  544. if (!st->probe_packets ||
  545. av_log2(pd->buf_size) != av_log2(pd->buf_size - pkt->size)) {
  546. set_codec_from_probe_data(s, st, pd, st->probe_packets > 0 ? AVPROBE_SCORE_MAX/4 : 0);
  547. if(st->codec->codec_id != AV_CODEC_ID_PROBE){
  548. pd->buf_size=0;
  549. av_freep(&pd->buf);
  550. av_log(s, AV_LOG_DEBUG, "probed stream %d\n", st->index);
  551. }
  552. }
  553. }
  554. }
  555. int ff_read_packet(AVFormatContext *s, AVPacket *pkt)
  556. {
  557. int ret, i;
  558. AVStream *st;
  559. for(;;){
  560. AVPacketList *pktl = s->raw_packet_buffer;
  561. if (pktl) {
  562. *pkt = pktl->pkt;
  563. st = s->streams[pkt->stream_index];
  564. if (st->codec->codec_id != AV_CODEC_ID_PROBE || !st->probe_packets ||
  565. s->raw_packet_buffer_remaining_size < pkt->size) {
  566. AVProbeData *pd;
  567. if (st->probe_packets) {
  568. probe_codec(s, st, NULL);
  569. }
  570. pd = &st->probe_data;
  571. av_freep(&pd->buf);
  572. pd->buf_size = 0;
  573. s->raw_packet_buffer = pktl->next;
  574. s->raw_packet_buffer_remaining_size += pkt->size;
  575. av_free(pktl);
  576. return 0;
  577. }
  578. }
  579. av_init_packet(pkt);
  580. ret= s->iformat->read_packet(s, pkt);
  581. if (ret < 0) {
  582. if (!pktl || ret == AVERROR(EAGAIN))
  583. return ret;
  584. for (i = 0; i < s->nb_streams; i++) {
  585. st = s->streams[i];
  586. if (st->probe_packets) {
  587. probe_codec(s, st, NULL);
  588. }
  589. }
  590. continue;
  591. }
  592. if ((s->flags & AVFMT_FLAG_DISCARD_CORRUPT) &&
  593. (pkt->flags & AV_PKT_FLAG_CORRUPT)) {
  594. av_log(s, AV_LOG_WARNING,
  595. "Dropped corrupted packet (stream = %d)\n",
  596. pkt->stream_index);
  597. av_free_packet(pkt);
  598. continue;
  599. }
  600. st= s->streams[pkt->stream_index];
  601. switch(st->codec->codec_type){
  602. case AVMEDIA_TYPE_VIDEO:
  603. if(s->video_codec_id) st->codec->codec_id= s->video_codec_id;
  604. break;
  605. case AVMEDIA_TYPE_AUDIO:
  606. if(s->audio_codec_id) st->codec->codec_id= s->audio_codec_id;
  607. break;
  608. case AVMEDIA_TYPE_SUBTITLE:
  609. if(s->subtitle_codec_id)st->codec->codec_id= s->subtitle_codec_id;
  610. break;
  611. }
  612. if(!pktl && (st->codec->codec_id != AV_CODEC_ID_PROBE ||
  613. !st->probe_packets))
  614. return ret;
  615. add_to_pktbuf(&s->raw_packet_buffer, pkt, &s->raw_packet_buffer_end);
  616. s->raw_packet_buffer_remaining_size -= pkt->size;
  617. probe_codec(s, st, pkt);
  618. }
  619. }
  620. #if FF_API_READ_PACKET
  621. int av_read_packet(AVFormatContext *s, AVPacket *pkt)
  622. {
  623. return ff_read_packet(s, pkt);
  624. }
  625. #endif
  626. /**********************************************************/
  627. /**
  628. * Get the number of samples of an audio frame. Return -1 on error.
  629. */
  630. static int get_audio_frame_size(AVCodecContext *enc, int size, int mux)
  631. {
  632. int frame_size;
  633. /* give frame_size priority if demuxing */
  634. if (!mux && enc->frame_size > 1)
  635. return enc->frame_size;
  636. if ((frame_size = av_get_audio_frame_duration(enc, size)) > 0)
  637. return frame_size;
  638. /* fallback to using frame_size if muxing */
  639. if (enc->frame_size > 1)
  640. return enc->frame_size;
  641. return -1;
  642. }
  643. /**
  644. * Return the frame duration in seconds. Return 0 if not available.
  645. */
  646. static void compute_frame_duration(int *pnum, int *pden, AVStream *st,
  647. AVCodecParserContext *pc, AVPacket *pkt)
  648. {
  649. int frame_size;
  650. *pnum = 0;
  651. *pden = 0;
  652. switch(st->codec->codec_type) {
  653. case AVMEDIA_TYPE_VIDEO:
  654. if (st->avg_frame_rate.num) {
  655. *pnum = st->avg_frame_rate.den;
  656. *pden = st->avg_frame_rate.num;
  657. } else if(st->time_base.num*1000LL > st->time_base.den) {
  658. *pnum = st->time_base.num;
  659. *pden = st->time_base.den;
  660. }else if(st->codec->time_base.num*1000LL > st->codec->time_base.den){
  661. *pnum = st->codec->time_base.num;
  662. *pden = st->codec->time_base.den;
  663. if (pc && pc->repeat_pict) {
  664. *pnum = (*pnum) * (1 + pc->repeat_pict);
  665. }
  666. //If this codec can be interlaced or progressive then we need a parser to compute duration of a packet
  667. //Thus if we have no parser in such case leave duration undefined.
  668. if(st->codec->ticks_per_frame>1 && !pc){
  669. *pnum = *pden = 0;
  670. }
  671. }
  672. break;
  673. case AVMEDIA_TYPE_AUDIO:
  674. frame_size = get_audio_frame_size(st->codec, pkt->size, 0);
  675. if (frame_size <= 0 || st->codec->sample_rate <= 0)
  676. break;
  677. *pnum = frame_size;
  678. *pden = st->codec->sample_rate;
  679. break;
  680. default:
  681. break;
  682. }
  683. }
  684. static int is_intra_only(enum AVCodecID id)
  685. {
  686. const AVCodecDescriptor *d = avcodec_descriptor_get(id);
  687. if (!d)
  688. return 0;
  689. if (d->type == AVMEDIA_TYPE_VIDEO && !(d->props & AV_CODEC_PROP_INTRA_ONLY))
  690. return 0;
  691. return 1;
  692. }
  693. static void update_initial_timestamps(AVFormatContext *s, int stream_index,
  694. int64_t dts, int64_t pts)
  695. {
  696. AVStream *st= s->streams[stream_index];
  697. AVPacketList *pktl= s->packet_buffer;
  698. if(st->first_dts != AV_NOPTS_VALUE || dts == AV_NOPTS_VALUE || st->cur_dts == AV_NOPTS_VALUE)
  699. return;
  700. st->first_dts= dts - st->cur_dts;
  701. st->cur_dts= dts;
  702. for(; pktl; pktl= pktl->next){
  703. if(pktl->pkt.stream_index != stream_index)
  704. continue;
  705. //FIXME think more about this check
  706. if(pktl->pkt.pts != AV_NOPTS_VALUE && pktl->pkt.pts == pktl->pkt.dts)
  707. pktl->pkt.pts += st->first_dts;
  708. if(pktl->pkt.dts != AV_NOPTS_VALUE)
  709. pktl->pkt.dts += st->first_dts;
  710. if(st->start_time == AV_NOPTS_VALUE && pktl->pkt.pts != AV_NOPTS_VALUE)
  711. st->start_time= pktl->pkt.pts;
  712. }
  713. if (st->start_time == AV_NOPTS_VALUE)
  714. st->start_time = pts;
  715. }
  716. static void update_initial_durations(AVFormatContext *s, AVStream *st,
  717. int stream_index, int duration)
  718. {
  719. AVPacketList *pktl= s->packet_buffer;
  720. int64_t cur_dts= 0;
  721. if(st->first_dts != AV_NOPTS_VALUE){
  722. cur_dts= st->first_dts;
  723. for(; pktl; pktl= pktl->next){
  724. if(pktl->pkt.stream_index == stream_index){
  725. if(pktl->pkt.pts != pktl->pkt.dts || pktl->pkt.dts != AV_NOPTS_VALUE || pktl->pkt.duration)
  726. break;
  727. cur_dts -= duration;
  728. }
  729. }
  730. pktl= s->packet_buffer;
  731. st->first_dts = cur_dts;
  732. }else if(st->cur_dts)
  733. return;
  734. for(; pktl; pktl= pktl->next){
  735. if(pktl->pkt.stream_index != stream_index)
  736. continue;
  737. if(pktl->pkt.pts == pktl->pkt.dts && pktl->pkt.dts == AV_NOPTS_VALUE
  738. && !pktl->pkt.duration){
  739. pktl->pkt.dts= cur_dts;
  740. if(!st->codec->has_b_frames)
  741. pktl->pkt.pts= cur_dts;
  742. cur_dts += duration;
  743. if (st->codec->codec_type != AVMEDIA_TYPE_AUDIO)
  744. pktl->pkt.duration = duration;
  745. }else
  746. break;
  747. }
  748. if(st->first_dts == AV_NOPTS_VALUE)
  749. st->cur_dts= cur_dts;
  750. }
  751. static void compute_pkt_fields(AVFormatContext *s, AVStream *st,
  752. AVCodecParserContext *pc, AVPacket *pkt)
  753. {
  754. int num, den, presentation_delayed, delay, i;
  755. int64_t offset;
  756. if (s->flags & AVFMT_FLAG_NOFILLIN)
  757. return;
  758. if((s->flags & AVFMT_FLAG_IGNDTS) && pkt->pts != AV_NOPTS_VALUE)
  759. pkt->dts= AV_NOPTS_VALUE;
  760. /* do we have a video B-frame ? */
  761. delay= st->codec->has_b_frames;
  762. presentation_delayed = 0;
  763. /* XXX: need has_b_frame, but cannot get it if the codec is
  764. not initialized */
  765. if (delay &&
  766. pc && pc->pict_type != AV_PICTURE_TYPE_B)
  767. presentation_delayed = 1;
  768. if(pkt->pts != AV_NOPTS_VALUE && pkt->dts != AV_NOPTS_VALUE && pkt->dts > pkt->pts && st->pts_wrap_bits<63
  769. /*&& pkt->dts-(1LL<<st->pts_wrap_bits) < pkt->pts*/){
  770. pkt->dts -= 1LL<<st->pts_wrap_bits;
  771. }
  772. // some mpeg2 in mpeg-ps lack dts (issue171 / input_file.mpg)
  773. // we take the conservative approach and discard both
  774. // Note, if this is misbehaving for a H.264 file then possibly presentation_delayed is not set correctly.
  775. if(delay==1 && pkt->dts == pkt->pts && pkt->dts != AV_NOPTS_VALUE && presentation_delayed){
  776. av_log(s, AV_LOG_DEBUG, "invalid dts/pts combination\n");
  777. pkt->dts= pkt->pts= AV_NOPTS_VALUE;
  778. }
  779. if (pkt->duration == 0 && st->codec->codec_type != AVMEDIA_TYPE_AUDIO) {
  780. compute_frame_duration(&num, &den, st, pc, pkt);
  781. if (den && num) {
  782. pkt->duration = av_rescale_rnd(1, num * (int64_t)st->time_base.den, den * (int64_t)st->time_base.num, AV_ROUND_DOWN);
  783. if(pkt->duration != 0 && s->packet_buffer)
  784. update_initial_durations(s, st, pkt->stream_index, pkt->duration);
  785. }
  786. }
  787. /* correct timestamps with byte offset if demuxers only have timestamps
  788. on packet boundaries */
  789. if(pc && st->need_parsing == AVSTREAM_PARSE_TIMESTAMPS && pkt->size){
  790. /* this will estimate bitrate based on this frame's duration and size */
  791. offset = av_rescale(pc->offset, pkt->duration, pkt->size);
  792. if(pkt->pts != AV_NOPTS_VALUE)
  793. pkt->pts += offset;
  794. if(pkt->dts != AV_NOPTS_VALUE)
  795. pkt->dts += offset;
  796. }
  797. if (pc && pc->dts_sync_point >= 0) {
  798. // we have synchronization info from the parser
  799. int64_t den = st->codec->time_base.den * (int64_t) st->time_base.num;
  800. if (den > 0) {
  801. int64_t num = st->codec->time_base.num * (int64_t) st->time_base.den;
  802. if (pkt->dts != AV_NOPTS_VALUE) {
  803. // got DTS from the stream, update reference timestamp
  804. st->reference_dts = pkt->dts - pc->dts_ref_dts_delta * num / den;
  805. pkt->pts = pkt->dts + pc->pts_dts_delta * num / den;
  806. } else if (st->reference_dts != AV_NOPTS_VALUE) {
  807. // compute DTS based on reference timestamp
  808. pkt->dts = st->reference_dts + pc->dts_ref_dts_delta * num / den;
  809. pkt->pts = pkt->dts + pc->pts_dts_delta * num / den;
  810. }
  811. if (pc->dts_sync_point > 0)
  812. st->reference_dts = pkt->dts; // new reference
  813. }
  814. }
  815. /* This may be redundant, but it should not hurt. */
  816. if(pkt->dts != AV_NOPTS_VALUE && pkt->pts != AV_NOPTS_VALUE && pkt->pts > pkt->dts)
  817. presentation_delayed = 1;
  818. // av_log(NULL, AV_LOG_DEBUG, "IN delayed:%d pts:%"PRId64", dts:%"PRId64" cur_dts:%"PRId64" st:%d pc:%p\n", presentation_delayed, pkt->pts, pkt->dts, st->cur_dts, pkt->stream_index, pc);
  819. /* interpolate PTS and DTS if they are not present */
  820. //We skip H264 currently because delay and has_b_frames are not reliably set
  821. if((delay==0 || (delay==1 && pc)) && st->codec->codec_id != AV_CODEC_ID_H264){
  822. if (presentation_delayed) {
  823. /* DTS = decompression timestamp */
  824. /* PTS = presentation timestamp */
  825. if (pkt->dts == AV_NOPTS_VALUE)
  826. pkt->dts = st->last_IP_pts;
  827. update_initial_timestamps(s, pkt->stream_index, pkt->dts, pkt->pts);
  828. if (pkt->dts == AV_NOPTS_VALUE)
  829. pkt->dts = st->cur_dts;
  830. /* this is tricky: the dts must be incremented by the duration
  831. of the frame we are displaying, i.e. the last I- or P-frame */
  832. if (st->last_IP_duration == 0)
  833. st->last_IP_duration = pkt->duration;
  834. if(pkt->dts != AV_NOPTS_VALUE)
  835. st->cur_dts = pkt->dts + st->last_IP_duration;
  836. st->last_IP_duration = pkt->duration;
  837. st->last_IP_pts= pkt->pts;
  838. /* cannot compute PTS if not present (we can compute it only
  839. by knowing the future */
  840. } else if (pkt->pts != AV_NOPTS_VALUE ||
  841. pkt->dts != AV_NOPTS_VALUE ||
  842. pkt->duration ||
  843. st->codec->codec_type == AVMEDIA_TYPE_AUDIO) {
  844. int duration = pkt->duration;
  845. if (!duration && st->codec->codec_type == AVMEDIA_TYPE_AUDIO) {
  846. compute_frame_duration(&num, &den, st, pc, pkt);
  847. if (den && num) {
  848. duration = av_rescale_rnd(1, num * (int64_t)st->time_base.den,
  849. den * (int64_t)st->time_base.num,
  850. AV_ROUND_DOWN);
  851. if (duration != 0 && s->packet_buffer) {
  852. update_initial_durations(s, st, pkt->stream_index,
  853. duration);
  854. }
  855. }
  856. }
  857. if (pkt->pts != AV_NOPTS_VALUE || pkt->dts != AV_NOPTS_VALUE ||
  858. duration) {
  859. /* presentation is not delayed : PTS and DTS are the same */
  860. if (pkt->pts == AV_NOPTS_VALUE)
  861. pkt->pts = pkt->dts;
  862. update_initial_timestamps(s, pkt->stream_index, pkt->pts,
  863. pkt->pts);
  864. if (pkt->pts == AV_NOPTS_VALUE)
  865. pkt->pts = st->cur_dts;
  866. pkt->dts = pkt->pts;
  867. if (pkt->pts != AV_NOPTS_VALUE)
  868. st->cur_dts = pkt->pts + duration;
  869. }
  870. }
  871. }
  872. if(pkt->pts != AV_NOPTS_VALUE && delay <= MAX_REORDER_DELAY){
  873. st->pts_buffer[0]= pkt->pts;
  874. for(i=0; i<delay && st->pts_buffer[i] > st->pts_buffer[i+1]; i++)
  875. FFSWAP(int64_t, st->pts_buffer[i], st->pts_buffer[i+1]);
  876. if(pkt->dts == AV_NOPTS_VALUE)
  877. pkt->dts= st->pts_buffer[0];
  878. if(st->codec->codec_id == AV_CODEC_ID_H264){ // we skipped it above so we try here
  879. update_initial_timestamps(s, pkt->stream_index, pkt->dts, pkt->pts); // this should happen on the first packet
  880. }
  881. if(pkt->dts > st->cur_dts)
  882. st->cur_dts = pkt->dts;
  883. }
  884. // av_log(NULL, AV_LOG_ERROR, "OUTdelayed:%d/%d pts:%"PRId64", dts:%"PRId64" cur_dts:%"PRId64"\n", presentation_delayed, delay, pkt->pts, pkt->dts, st->cur_dts);
  885. /* update flags */
  886. if (is_intra_only(st->codec->codec_id))
  887. pkt->flags |= AV_PKT_FLAG_KEY;
  888. if (pc)
  889. pkt->convergence_duration = pc->convergence_duration;
  890. }
  891. static void free_packet_buffer(AVPacketList **pkt_buf, AVPacketList **pkt_buf_end)
  892. {
  893. while (*pkt_buf) {
  894. AVPacketList *pktl = *pkt_buf;
  895. *pkt_buf = pktl->next;
  896. av_free_packet(&pktl->pkt);
  897. av_freep(&pktl);
  898. }
  899. *pkt_buf_end = NULL;
  900. }
  901. /**
  902. * Parse a packet, add all split parts to parse_queue
  903. *
  904. * @param pkt packet to parse, NULL when flushing the parser at end of stream
  905. */
  906. static int parse_packet(AVFormatContext *s, AVPacket *pkt, int stream_index)
  907. {
  908. AVPacket out_pkt = { 0 }, flush_pkt = { 0 };
  909. AVStream *st = s->streams[stream_index];
  910. uint8_t *data = pkt ? pkt->data : NULL;
  911. int size = pkt ? pkt->size : 0;
  912. int ret = 0, got_output = 0;
  913. if (!pkt) {
  914. av_init_packet(&flush_pkt);
  915. pkt = &flush_pkt;
  916. got_output = 1;
  917. }
  918. while (size > 0 || (pkt == &flush_pkt && got_output)) {
  919. int len;
  920. av_init_packet(&out_pkt);
  921. len = av_parser_parse2(st->parser, st->codec,
  922. &out_pkt.data, &out_pkt.size, data, size,
  923. pkt->pts, pkt->dts, pkt->pos);
  924. pkt->pts = pkt->dts = AV_NOPTS_VALUE;
  925. /* increment read pointer */
  926. data += len;
  927. size -= len;
  928. got_output = !!out_pkt.size;
  929. if (!out_pkt.size)
  930. continue;
  931. /* set the duration */
  932. out_pkt.duration = 0;
  933. if (st->codec->codec_type == AVMEDIA_TYPE_AUDIO) {
  934. if (st->codec->sample_rate > 0) {
  935. out_pkt.duration = av_rescale_q_rnd(st->parser->duration,
  936. (AVRational){ 1, st->codec->sample_rate },
  937. st->time_base,
  938. AV_ROUND_DOWN);
  939. }
  940. } else if (st->codec->time_base.num != 0 &&
  941. st->codec->time_base.den != 0) {
  942. out_pkt.duration = av_rescale_q_rnd(st->parser->duration,
  943. st->codec->time_base,
  944. st->time_base,
  945. AV_ROUND_DOWN);
  946. }
  947. out_pkt.stream_index = st->index;
  948. out_pkt.pts = st->parser->pts;
  949. out_pkt.dts = st->parser->dts;
  950. out_pkt.pos = st->parser->pos;
  951. if (st->parser->key_frame == 1 ||
  952. (st->parser->key_frame == -1 &&
  953. st->parser->pict_type == AV_PICTURE_TYPE_I))
  954. out_pkt.flags |= AV_PKT_FLAG_KEY;
  955. compute_pkt_fields(s, st, st->parser, &out_pkt);
  956. if ((s->iformat->flags & AVFMT_GENERIC_INDEX) &&
  957. out_pkt.flags & AV_PKT_FLAG_KEY) {
  958. ff_reduce_index(s, st->index);
  959. av_add_index_entry(st, st->parser->frame_offset, out_pkt.dts,
  960. 0, 0, AVINDEX_KEYFRAME);
  961. }
  962. if (out_pkt.data == pkt->data && out_pkt.size == pkt->size) {
  963. out_pkt.destruct = pkt->destruct;
  964. pkt->destruct = NULL;
  965. }
  966. if ((ret = av_dup_packet(&out_pkt)) < 0)
  967. goto fail;
  968. if (!add_to_pktbuf(&s->parse_queue, &out_pkt, &s->parse_queue_end)) {
  969. av_free_packet(&out_pkt);
  970. ret = AVERROR(ENOMEM);
  971. goto fail;
  972. }
  973. }
  974. /* end of the stream => close and free the parser */
  975. if (pkt == &flush_pkt) {
  976. av_parser_close(st->parser);
  977. st->parser = NULL;
  978. }
  979. fail:
  980. av_free_packet(pkt);
  981. return ret;
  982. }
  983. static int read_from_packet_buffer(AVPacketList **pkt_buffer,
  984. AVPacketList **pkt_buffer_end,
  985. AVPacket *pkt)
  986. {
  987. AVPacketList *pktl;
  988. av_assert0(*pkt_buffer);
  989. pktl = *pkt_buffer;
  990. *pkt = pktl->pkt;
  991. *pkt_buffer = pktl->next;
  992. if (!pktl->next)
  993. *pkt_buffer_end = NULL;
  994. av_freep(&pktl);
  995. return 0;
  996. }
  997. static int read_frame_internal(AVFormatContext *s, AVPacket *pkt)
  998. {
  999. int ret = 0, i, got_packet = 0;
  1000. av_init_packet(pkt);
  1001. while (!got_packet && !s->parse_queue) {
  1002. AVStream *st;
  1003. AVPacket cur_pkt;
  1004. /* read next packet */
  1005. ret = ff_read_packet(s, &cur_pkt);
  1006. if (ret < 0) {
  1007. if (ret == AVERROR(EAGAIN))
  1008. return ret;
  1009. /* flush the parsers */
  1010. for(i = 0; i < s->nb_streams; i++) {
  1011. st = s->streams[i];
  1012. if (st->parser && st->need_parsing)
  1013. parse_packet(s, NULL, st->index);
  1014. }
  1015. /* all remaining packets are now in parse_queue =>
  1016. * really terminate parsing */
  1017. break;
  1018. }
  1019. ret = 0;
  1020. st = s->streams[cur_pkt.stream_index];
  1021. if (cur_pkt.pts != AV_NOPTS_VALUE &&
  1022. cur_pkt.dts != AV_NOPTS_VALUE &&
  1023. cur_pkt.pts < cur_pkt.dts) {
  1024. av_log(s, AV_LOG_WARNING, "Invalid timestamps stream=%d, pts=%"PRId64", dts=%"PRId64", size=%d\n",
  1025. cur_pkt.stream_index,
  1026. cur_pkt.pts,
  1027. cur_pkt.dts,
  1028. cur_pkt.size);
  1029. }
  1030. if (s->debug & FF_FDEBUG_TS)
  1031. av_log(s, AV_LOG_DEBUG, "ff_read_packet stream=%d, pts=%"PRId64", dts=%"PRId64", size=%d, duration=%d, flags=%d\n",
  1032. cur_pkt.stream_index,
  1033. cur_pkt.pts,
  1034. cur_pkt.dts,
  1035. cur_pkt.size,
  1036. cur_pkt.duration,
  1037. cur_pkt.flags);
  1038. if (st->need_parsing && !st->parser && !(s->flags & AVFMT_FLAG_NOPARSE)) {
  1039. st->parser = av_parser_init(st->codec->codec_id);
  1040. if (!st->parser) {
  1041. /* no parser available: just output the raw packets */
  1042. st->need_parsing = AVSTREAM_PARSE_NONE;
  1043. } else if(st->need_parsing == AVSTREAM_PARSE_HEADERS) {
  1044. st->parser->flags |= PARSER_FLAG_COMPLETE_FRAMES;
  1045. } else if(st->need_parsing == AVSTREAM_PARSE_FULL_ONCE) {
  1046. st->parser->flags |= PARSER_FLAG_ONCE;
  1047. }
  1048. }
  1049. if (!st->need_parsing || !st->parser) {
  1050. /* no parsing needed: we just output the packet as is */
  1051. *pkt = cur_pkt;
  1052. compute_pkt_fields(s, st, NULL, pkt);
  1053. if ((s->iformat->flags & AVFMT_GENERIC_INDEX) &&
  1054. (pkt->flags & AV_PKT_FLAG_KEY) && pkt->dts != AV_NOPTS_VALUE) {
  1055. ff_reduce_index(s, st->index);
  1056. av_add_index_entry(st, pkt->pos, pkt->dts, 0, 0, AVINDEX_KEYFRAME);
  1057. }
  1058. got_packet = 1;
  1059. } else if (st->discard < AVDISCARD_ALL) {
  1060. if ((ret = parse_packet(s, &cur_pkt, cur_pkt.stream_index)) < 0)
  1061. return ret;
  1062. } else {
  1063. /* free packet */
  1064. av_free_packet(&cur_pkt);
  1065. }
  1066. }
  1067. if (!got_packet && s->parse_queue)
  1068. ret = read_from_packet_buffer(&s->parse_queue, &s->parse_queue_end, pkt);
  1069. if(s->debug & FF_FDEBUG_TS)
  1070. av_log(s, AV_LOG_DEBUG, "read_frame_internal stream=%d, pts=%"PRId64", dts=%"PRId64", size=%d, duration=%d, flags=%d\n",
  1071. pkt->stream_index,
  1072. pkt->pts,
  1073. pkt->dts,
  1074. pkt->size,
  1075. pkt->duration,
  1076. pkt->flags);
  1077. return ret;
  1078. }
  1079. int av_read_frame(AVFormatContext *s, AVPacket *pkt)
  1080. {
  1081. const int genpts = s->flags & AVFMT_FLAG_GENPTS;
  1082. int eof = 0;
  1083. if (!genpts)
  1084. return s->packet_buffer ? read_from_packet_buffer(&s->packet_buffer,
  1085. &s->packet_buffer_end,
  1086. pkt) :
  1087. read_frame_internal(s, pkt);
  1088. for (;;) {
  1089. int ret;
  1090. AVPacketList *pktl = s->packet_buffer;
  1091. if (pktl) {
  1092. AVPacket *next_pkt = &pktl->pkt;
  1093. if (next_pkt->dts != AV_NOPTS_VALUE) {
  1094. int wrap_bits = s->streams[next_pkt->stream_index]->pts_wrap_bits;
  1095. while (pktl && next_pkt->pts == AV_NOPTS_VALUE) {
  1096. if (pktl->pkt.stream_index == next_pkt->stream_index &&
  1097. (av_compare_mod(next_pkt->dts, pktl->pkt.dts, 2LL << (wrap_bits - 1)) < 0) &&
  1098. av_compare_mod(pktl->pkt.pts, pktl->pkt.dts, 2LL << (wrap_bits - 1))) { //not b frame
  1099. next_pkt->pts = pktl->pkt.dts;
  1100. }
  1101. pktl = pktl->next;
  1102. }
  1103. pktl = s->packet_buffer;
  1104. }
  1105. /* read packet from packet buffer, if there is data */
  1106. if (!(next_pkt->pts == AV_NOPTS_VALUE &&
  1107. next_pkt->dts != AV_NOPTS_VALUE && !eof))
  1108. return read_from_packet_buffer(&s->packet_buffer,
  1109. &s->packet_buffer_end, pkt);
  1110. }
  1111. ret = read_frame_internal(s, pkt);
  1112. if (ret < 0) {
  1113. if (pktl && ret != AVERROR(EAGAIN)) {
  1114. eof = 1;
  1115. continue;
  1116. } else
  1117. return ret;
  1118. }
  1119. if (av_dup_packet(add_to_pktbuf(&s->packet_buffer, pkt,
  1120. &s->packet_buffer_end)) < 0)
  1121. return AVERROR(ENOMEM);
  1122. }
  1123. }
  1124. /* XXX: suppress the packet queue */
  1125. static void flush_packet_queue(AVFormatContext *s)
  1126. {
  1127. free_packet_buffer(&s->parse_queue, &s->parse_queue_end);
  1128. free_packet_buffer(&s->packet_buffer, &s->packet_buffer_end);
  1129. free_packet_buffer(&s->raw_packet_buffer, &s->raw_packet_buffer_end);
  1130. s->raw_packet_buffer_remaining_size = RAW_PACKET_BUFFER_SIZE;
  1131. }
  1132. /*******************************************************/
  1133. /* seek support */
  1134. int av_find_default_stream_index(AVFormatContext *s)
  1135. {
  1136. int first_audio_index = -1;
  1137. int i;
  1138. AVStream *st;
  1139. if (s->nb_streams <= 0)
  1140. return -1;
  1141. for(i = 0; i < s->nb_streams; i++) {
  1142. st = s->streams[i];
  1143. if (st->codec->codec_type == AVMEDIA_TYPE_VIDEO &&
  1144. !(st->disposition & AV_DISPOSITION_ATTACHED_PIC)) {
  1145. return i;
  1146. }
  1147. if (first_audio_index < 0 && st->codec->codec_type == AVMEDIA_TYPE_AUDIO)
  1148. first_audio_index = i;
  1149. }
  1150. return first_audio_index >= 0 ? first_audio_index : 0;
  1151. }
  1152. /**
  1153. * Flush the frame reader.
  1154. */
  1155. void ff_read_frame_flush(AVFormatContext *s)
  1156. {
  1157. AVStream *st;
  1158. int i, j;
  1159. flush_packet_queue(s);
  1160. /* for each stream, reset read state */
  1161. for(i = 0; i < s->nb_streams; i++) {
  1162. st = s->streams[i];
  1163. if (st->parser) {
  1164. av_parser_close(st->parser);
  1165. st->parser = NULL;
  1166. }
  1167. st->last_IP_pts = AV_NOPTS_VALUE;
  1168. st->cur_dts = AV_NOPTS_VALUE; /* we set the current DTS to an unspecified origin */
  1169. st->reference_dts = AV_NOPTS_VALUE;
  1170. st->probe_packets = MAX_PROBE_PACKETS;
  1171. for(j=0; j<MAX_REORDER_DELAY+1; j++)
  1172. st->pts_buffer[j]= AV_NOPTS_VALUE;
  1173. }
  1174. }
  1175. void ff_update_cur_dts(AVFormatContext *s, AVStream *ref_st, int64_t timestamp)
  1176. {
  1177. int i;
  1178. for(i = 0; i < s->nb_streams; i++) {
  1179. AVStream *st = s->streams[i];
  1180. st->cur_dts = av_rescale(timestamp,
  1181. st->time_base.den * (int64_t)ref_st->time_base.num,
  1182. st->time_base.num * (int64_t)ref_st->time_base.den);
  1183. }
  1184. }
  1185. void ff_reduce_index(AVFormatContext *s, int stream_index)
  1186. {
  1187. AVStream *st= s->streams[stream_index];
  1188. unsigned int max_entries= s->max_index_size / sizeof(AVIndexEntry);
  1189. if((unsigned)st->nb_index_entries >= max_entries){
  1190. int i;
  1191. for(i=0; 2*i<st->nb_index_entries; i++)
  1192. st->index_entries[i]= st->index_entries[2*i];
  1193. st->nb_index_entries= i;
  1194. }
  1195. }
  1196. int ff_add_index_entry(AVIndexEntry **index_entries,
  1197. int *nb_index_entries,
  1198. unsigned int *index_entries_allocated_size,
  1199. int64_t pos, int64_t timestamp, int size, int distance, int flags)
  1200. {
  1201. AVIndexEntry *entries, *ie;
  1202. int index;
  1203. if((unsigned)*nb_index_entries + 1 >= UINT_MAX / sizeof(AVIndexEntry))
  1204. return -1;
  1205. entries = av_fast_realloc(*index_entries,
  1206. index_entries_allocated_size,
  1207. (*nb_index_entries + 1) *
  1208. sizeof(AVIndexEntry));
  1209. if(!entries)
  1210. return -1;
  1211. *index_entries= entries;
  1212. index= ff_index_search_timestamp(*index_entries, *nb_index_entries, timestamp, AVSEEK_FLAG_ANY);
  1213. if(index<0){
  1214. index= (*nb_index_entries)++;
  1215. ie= &entries[index];
  1216. assert(index==0 || ie[-1].timestamp < timestamp);
  1217. }else{
  1218. ie= &entries[index];
  1219. if(ie->timestamp != timestamp){
  1220. if(ie->timestamp <= timestamp)
  1221. return -1;
  1222. memmove(entries + index + 1, entries + index, sizeof(AVIndexEntry)*(*nb_index_entries - index));
  1223. (*nb_index_entries)++;
  1224. }else if(ie->pos == pos && distance < ie->min_distance) //do not reduce the distance
  1225. distance= ie->min_distance;
  1226. }
  1227. ie->pos = pos;
  1228. ie->timestamp = timestamp;
  1229. ie->min_distance= distance;
  1230. ie->size= size;
  1231. ie->flags = flags;
  1232. return index;
  1233. }
  1234. int av_add_index_entry(AVStream *st,
  1235. int64_t pos, int64_t timestamp, int size, int distance, int flags)
  1236. {
  1237. return ff_add_index_entry(&st->index_entries, &st->nb_index_entries,
  1238. &st->index_entries_allocated_size, pos,
  1239. timestamp, size, distance, flags);
  1240. }
  1241. int ff_index_search_timestamp(const AVIndexEntry *entries, int nb_entries,
  1242. int64_t wanted_timestamp, int flags)
  1243. {
  1244. int a, b, m;
  1245. int64_t timestamp;
  1246. a = - 1;
  1247. b = nb_entries;
  1248. //optimize appending index entries at the end
  1249. if(b && entries[b-1].timestamp < wanted_timestamp)
  1250. a= b-1;
  1251. while (b - a > 1) {
  1252. m = (a + b) >> 1;
  1253. timestamp = entries[m].timestamp;
  1254. if(timestamp >= wanted_timestamp)
  1255. b = m;
  1256. if(timestamp <= wanted_timestamp)
  1257. a = m;
  1258. }
  1259. m= (flags & AVSEEK_FLAG_BACKWARD) ? a : b;
  1260. if(!(flags & AVSEEK_FLAG_ANY)){
  1261. while(m>=0 && m<nb_entries && !(entries[m].flags & AVINDEX_KEYFRAME)){
  1262. m += (flags & AVSEEK_FLAG_BACKWARD) ? -1 : 1;
  1263. }
  1264. }
  1265. if(m == nb_entries)
  1266. return -1;
  1267. return m;
  1268. }
  1269. int av_index_search_timestamp(AVStream *st, int64_t wanted_timestamp,
  1270. int flags)
  1271. {
  1272. return ff_index_search_timestamp(st->index_entries, st->nb_index_entries,
  1273. wanted_timestamp, flags);
  1274. }
  1275. int ff_seek_frame_binary(AVFormatContext *s, int stream_index, int64_t target_ts, int flags)
  1276. {
  1277. AVInputFormat *avif= s->iformat;
  1278. int64_t av_uninit(pos_min), av_uninit(pos_max), pos, pos_limit;
  1279. int64_t ts_min, ts_max, ts;
  1280. int index;
  1281. int64_t ret;
  1282. AVStream *st;
  1283. if (stream_index < 0)
  1284. return -1;
  1285. av_dlog(s, "read_seek: %d %"PRId64"\n", stream_index, target_ts);
  1286. ts_max=
  1287. ts_min= AV_NOPTS_VALUE;
  1288. pos_limit= -1; //gcc falsely says it may be uninitialized
  1289. st= s->streams[stream_index];
  1290. if(st->index_entries){
  1291. AVIndexEntry *e;
  1292. index= av_index_search_timestamp(st, target_ts, flags | AVSEEK_FLAG_BACKWARD); //FIXME whole func must be checked for non-keyframe entries in index case, especially read_timestamp()
  1293. index= FFMAX(index, 0);
  1294. e= &st->index_entries[index];
  1295. if(e->timestamp <= target_ts || e->pos == e->min_distance){
  1296. pos_min= e->pos;
  1297. ts_min= e->timestamp;
  1298. av_dlog(s, "using cached pos_min=0x%"PRIx64" dts_min=%"PRId64"\n",
  1299. pos_min,ts_min);
  1300. }else{
  1301. assert(index==0);
  1302. }
  1303. index= av_index_search_timestamp(st, target_ts, flags & ~AVSEEK_FLAG_BACKWARD);
  1304. assert(index < st->nb_index_entries);
  1305. if(index >= 0){
  1306. e= &st->index_entries[index];
  1307. assert(e->timestamp >= target_ts);
  1308. pos_max= e->pos;
  1309. ts_max= e->timestamp;
  1310. pos_limit= pos_max - e->min_distance;
  1311. av_dlog(s, "using cached pos_max=0x%"PRIx64" pos_limit=0x%"PRIx64" dts_max=%"PRId64"\n",
  1312. pos_max,pos_limit, ts_max);
  1313. }
  1314. }
  1315. pos= ff_gen_search(s, stream_index, target_ts, pos_min, pos_max, pos_limit, ts_min, ts_max, flags, &ts, avif->read_timestamp);
  1316. if(pos<0)
  1317. return -1;
  1318. /* do the seek */
  1319. if ((ret = avio_seek(s->pb, pos, SEEK_SET)) < 0)
  1320. return ret;
  1321. ff_update_cur_dts(s, st, ts);
  1322. return 0;
  1323. }
  1324. int64_t ff_gen_search(AVFormatContext *s, int stream_index, int64_t target_ts,
  1325. int64_t pos_min, int64_t pos_max, int64_t pos_limit,
  1326. int64_t ts_min, int64_t ts_max, int flags, int64_t *ts_ret,
  1327. int64_t (*read_timestamp)(struct AVFormatContext *, int , int64_t *, int64_t ))
  1328. {
  1329. int64_t pos, ts;
  1330. int64_t start_pos, filesize;
  1331. int no_change;
  1332. av_dlog(s, "gen_seek: %d %"PRId64"\n", stream_index, target_ts);
  1333. if(ts_min == AV_NOPTS_VALUE){
  1334. pos_min = s->data_offset;
  1335. ts_min = read_timestamp(s, stream_index, &pos_min, INT64_MAX);
  1336. if (ts_min == AV_NOPTS_VALUE)
  1337. return -1;
  1338. }
  1339. if(ts_max == AV_NOPTS_VALUE){
  1340. int step= 1024;
  1341. filesize = avio_size(s->pb);
  1342. pos_max = filesize - 1;
  1343. do{
  1344. pos_max -= step;
  1345. ts_max = read_timestamp(s, stream_index, &pos_max, pos_max + step);
  1346. step += step;
  1347. }while(ts_max == AV_NOPTS_VALUE && pos_max >= step);
  1348. if (ts_max == AV_NOPTS_VALUE)
  1349. return -1;
  1350. for(;;){
  1351. int64_t tmp_pos= pos_max + 1;
  1352. int64_t tmp_ts= read_timestamp(s, stream_index, &tmp_pos, INT64_MAX);
  1353. if(tmp_ts == AV_NOPTS_VALUE)
  1354. break;
  1355. ts_max= tmp_ts;
  1356. pos_max= tmp_pos;
  1357. if(tmp_pos >= filesize)
  1358. break;
  1359. }
  1360. pos_limit= pos_max;
  1361. }
  1362. if(ts_min > ts_max){
  1363. return -1;
  1364. }else if(ts_min == ts_max){
  1365. pos_limit= pos_min;
  1366. }
  1367. no_change=0;
  1368. while (pos_min < pos_limit) {
  1369. av_dlog(s, "pos_min=0x%"PRIx64" pos_max=0x%"PRIx64" dts_min=%"PRId64" dts_max=%"PRId64"\n",
  1370. pos_min, pos_max, ts_min, ts_max);
  1371. assert(pos_limit <= pos_max);
  1372. if(no_change==0){
  1373. int64_t approximate_keyframe_distance= pos_max - pos_limit;
  1374. // interpolate position (better than dichotomy)
  1375. pos = av_rescale(target_ts - ts_min, pos_max - pos_min, ts_max - ts_min)
  1376. + pos_min - approximate_keyframe_distance;
  1377. }else if(no_change==1){
  1378. // bisection, if interpolation failed to change min or max pos last time
  1379. pos = (pos_min + pos_limit)>>1;
  1380. }else{
  1381. /* linear search if bisection failed, can only happen if there
  1382. are very few or no keyframes between min/max */
  1383. pos=pos_min;
  1384. }
  1385. if(pos <= pos_min)
  1386. pos= pos_min + 1;
  1387. else if(pos > pos_limit)
  1388. pos= pos_limit;
  1389. start_pos= pos;
  1390. ts = read_timestamp(s, stream_index, &pos, INT64_MAX); //may pass pos_limit instead of -1
  1391. if(pos == pos_max)
  1392. no_change++;
  1393. else
  1394. no_change=0;
  1395. av_dlog(s, "%"PRId64" %"PRId64" %"PRId64" / %"PRId64" %"PRId64" %"PRId64" target:%"PRId64" limit:%"PRId64" start:%"PRId64" noc:%d\n",
  1396. pos_min, pos, pos_max, ts_min, ts, ts_max, target_ts,
  1397. pos_limit, start_pos, no_change);
  1398. if(ts == AV_NOPTS_VALUE){
  1399. av_log(s, AV_LOG_ERROR, "read_timestamp() failed in the middle\n");
  1400. return -1;
  1401. }
  1402. assert(ts != AV_NOPTS_VALUE);
  1403. if (target_ts <= ts) {
  1404. pos_limit = start_pos - 1;
  1405. pos_max = pos;
  1406. ts_max = ts;
  1407. }
  1408. if (target_ts >= ts) {
  1409. pos_min = pos;
  1410. ts_min = ts;
  1411. }
  1412. }
  1413. pos = (flags & AVSEEK_FLAG_BACKWARD) ? pos_min : pos_max;
  1414. ts = (flags & AVSEEK_FLAG_BACKWARD) ? ts_min : ts_max;
  1415. pos_min = pos;
  1416. ts_min = read_timestamp(s, stream_index, &pos_min, INT64_MAX);
  1417. pos_min++;
  1418. ts_max = read_timestamp(s, stream_index, &pos_min, INT64_MAX);
  1419. av_dlog(s, "pos=0x%"PRIx64" %"PRId64"<=%"PRId64"<=%"PRId64"\n",
  1420. pos, ts_min, target_ts, ts_max);
  1421. *ts_ret= ts;
  1422. return pos;
  1423. }
  1424. static int seek_frame_byte(AVFormatContext *s, int stream_index, int64_t pos, int flags){
  1425. int64_t pos_min, pos_max;
  1426. pos_min = s->data_offset;
  1427. pos_max = avio_size(s->pb) - 1;
  1428. if (pos < pos_min) pos= pos_min;
  1429. else if(pos > pos_max) pos= pos_max;
  1430. avio_seek(s->pb, pos, SEEK_SET);
  1431. return 0;
  1432. }
  1433. static int seek_frame_generic(AVFormatContext *s,
  1434. int stream_index, int64_t timestamp, int flags)
  1435. {
  1436. int index;
  1437. int64_t ret;
  1438. AVStream *st;
  1439. AVIndexEntry *ie;
  1440. st = s->streams[stream_index];
  1441. index = av_index_search_timestamp(st, timestamp, flags);
  1442. if(index < 0 && st->nb_index_entries && timestamp < st->index_entries[0].timestamp)
  1443. return -1;
  1444. if(index < 0 || index==st->nb_index_entries-1){
  1445. AVPacket pkt;
  1446. if(st->nb_index_entries){
  1447. assert(st->index_entries);
  1448. ie= &st->index_entries[st->nb_index_entries-1];
  1449. if ((ret = avio_seek(s->pb, ie->pos, SEEK_SET)) < 0)
  1450. return ret;
  1451. ff_update_cur_dts(s, st, ie->timestamp);
  1452. }else{
  1453. if ((ret = avio_seek(s->pb, s->data_offset, SEEK_SET)) < 0)
  1454. return ret;
  1455. }
  1456. for (;;) {
  1457. int read_status;
  1458. do{
  1459. read_status = av_read_frame(s, &pkt);
  1460. } while (read_status == AVERROR(EAGAIN));
  1461. if (read_status < 0)
  1462. break;
  1463. av_free_packet(&pkt);
  1464. if(stream_index == pkt.stream_index){
  1465. if((pkt.flags & AV_PKT_FLAG_KEY) && pkt.dts > timestamp)
  1466. break;
  1467. }
  1468. }
  1469. index = av_index_search_timestamp(st, timestamp, flags);
  1470. }
  1471. if (index < 0)
  1472. return -1;
  1473. ff_read_frame_flush(s);
  1474. if (s->iformat->read_seek){
  1475. if(s->iformat->read_seek(s, stream_index, timestamp, flags) >= 0)
  1476. return 0;
  1477. }
  1478. ie = &st->index_entries[index];
  1479. if ((ret = avio_seek(s->pb, ie->pos, SEEK_SET)) < 0)
  1480. return ret;
  1481. ff_update_cur_dts(s, st, ie->timestamp);
  1482. return 0;
  1483. }
  1484. static int seek_frame_internal(AVFormatContext *s, int stream_index,
  1485. int64_t timestamp, int flags)
  1486. {
  1487. int ret;
  1488. AVStream *st;
  1489. if (flags & AVSEEK_FLAG_BYTE) {
  1490. if (s->iformat->flags & AVFMT_NO_BYTE_SEEK)
  1491. return -1;
  1492. ff_read_frame_flush(s);
  1493. return seek_frame_byte(s, stream_index, timestamp, flags);
  1494. }
  1495. if(stream_index < 0){
  1496. stream_index= av_find_default_stream_index(s);
  1497. if(stream_index < 0)
  1498. return -1;
  1499. st= s->streams[stream_index];
  1500. /* timestamp for default must be expressed in AV_TIME_BASE units */
  1501. timestamp = av_rescale(timestamp, st->time_base.den, AV_TIME_BASE * (int64_t)st->time_base.num);
  1502. }
  1503. /* first, we try the format specific seek */
  1504. if (s->iformat->read_seek) {
  1505. ff_read_frame_flush(s);
  1506. ret = s->iformat->read_seek(s, stream_index, timestamp, flags);
  1507. } else
  1508. ret = -1;
  1509. if (ret >= 0) {
  1510. return 0;
  1511. }
  1512. if (s->iformat->read_timestamp && !(s->iformat->flags & AVFMT_NOBINSEARCH)) {
  1513. ff_read_frame_flush(s);
  1514. return ff_seek_frame_binary(s, stream_index, timestamp, flags);
  1515. } else if (!(s->iformat->flags & AVFMT_NOGENSEARCH)) {
  1516. ff_read_frame_flush(s);
  1517. return seek_frame_generic(s, stream_index, timestamp, flags);
  1518. }
  1519. else
  1520. return -1;
  1521. }
  1522. int av_seek_frame(AVFormatContext *s, int stream_index, int64_t timestamp, int flags)
  1523. {
  1524. int ret = seek_frame_internal(s, stream_index, timestamp, flags);
  1525. if (ret >= 0)
  1526. queue_attached_pictures(s);
  1527. return ret;
  1528. }
  1529. int avformat_seek_file(AVFormatContext *s, int stream_index, int64_t min_ts, int64_t ts, int64_t max_ts, int flags)
  1530. {
  1531. if(min_ts > ts || max_ts < ts)
  1532. return -1;
  1533. if (s->iformat->read_seek2) {
  1534. int ret;
  1535. ff_read_frame_flush(s);
  1536. ret = s->iformat->read_seek2(s, stream_index, min_ts, ts, max_ts, flags);
  1537. if (ret >= 0)
  1538. queue_attached_pictures(s);
  1539. return ret;
  1540. }
  1541. if(s->iformat->read_timestamp){
  1542. //try to seek via read_timestamp()
  1543. }
  1544. //Fallback to old API if new is not implemented but old is
  1545. //Note the old has somewat different sematics
  1546. if(s->iformat->read_seek || 1)
  1547. return av_seek_frame(s, stream_index, ts, flags | (ts - min_ts > (uint64_t)(max_ts - ts) ? AVSEEK_FLAG_BACKWARD : 0));
  1548. // try some generic seek like seek_frame_generic() but with new ts semantics
  1549. }
  1550. /*******************************************************/
  1551. /**
  1552. * Return TRUE if the stream has accurate duration in any stream.
  1553. *
  1554. * @return TRUE if the stream has accurate duration for at least one component.
  1555. */
  1556. static int has_duration(AVFormatContext *ic)
  1557. {
  1558. int i;
  1559. AVStream *st;
  1560. for(i = 0;i < ic->nb_streams; i++) {
  1561. st = ic->streams[i];
  1562. if (st->duration != AV_NOPTS_VALUE)
  1563. return 1;
  1564. }
  1565. if (ic->duration != AV_NOPTS_VALUE)
  1566. return 1;
  1567. return 0;
  1568. }
  1569. /**
  1570. * Estimate the stream timings from the one of each components.
  1571. *
  1572. * Also computes the global bitrate if possible.
  1573. */
  1574. static void update_stream_timings(AVFormatContext *ic)
  1575. {
  1576. int64_t start_time, start_time1, end_time, end_time1;
  1577. int64_t duration, duration1, filesize;
  1578. int i;
  1579. AVStream *st;
  1580. start_time = INT64_MAX;
  1581. end_time = INT64_MIN;
  1582. duration = INT64_MIN;
  1583. for(i = 0;i < ic->nb_streams; i++) {
  1584. st = ic->streams[i];
  1585. if (st->start_time != AV_NOPTS_VALUE && st->time_base.den) {
  1586. start_time1= av_rescale_q(st->start_time, st->time_base, AV_TIME_BASE_Q);
  1587. start_time = FFMIN(start_time, start_time1);
  1588. if (st->duration != AV_NOPTS_VALUE) {
  1589. end_time1 = start_time1
  1590. + av_rescale_q(st->duration, st->time_base, AV_TIME_BASE_Q);
  1591. end_time = FFMAX(end_time, end_time1);
  1592. }
  1593. }
  1594. if (st->duration != AV_NOPTS_VALUE) {
  1595. duration1 = av_rescale_q(st->duration, st->time_base, AV_TIME_BASE_Q);
  1596. duration = FFMAX(duration, duration1);
  1597. }
  1598. }
  1599. if (start_time != INT64_MAX) {
  1600. ic->start_time = start_time;
  1601. if (end_time != INT64_MIN)
  1602. duration = FFMAX(duration, end_time - start_time);
  1603. }
  1604. if (duration != INT64_MIN) {
  1605. ic->duration = duration;
  1606. if (ic->pb && (filesize = avio_size(ic->pb)) > 0) {
  1607. /* compute the bitrate */
  1608. ic->bit_rate = (double)filesize * 8.0 * AV_TIME_BASE /
  1609. (double)ic->duration;
  1610. }
  1611. }
  1612. }
  1613. static void fill_all_stream_timings(AVFormatContext *ic)
  1614. {
  1615. int i;
  1616. AVStream *st;
  1617. update_stream_timings(ic);
  1618. for(i = 0;i < ic->nb_streams; i++) {
  1619. st = ic->streams[i];
  1620. if (st->start_time == AV_NOPTS_VALUE) {
  1621. if(ic->start_time != AV_NOPTS_VALUE)
  1622. st->start_time = av_rescale_q(ic->start_time, AV_TIME_BASE_Q, st->time_base);
  1623. if(ic->duration != AV_NOPTS_VALUE)
  1624. st->duration = av_rescale_q(ic->duration, AV_TIME_BASE_Q, st->time_base);
  1625. }
  1626. }
  1627. }
  1628. static void estimate_timings_from_bit_rate(AVFormatContext *ic)
  1629. {
  1630. int64_t filesize, duration;
  1631. int bit_rate, i;
  1632. AVStream *st;
  1633. /* if bit_rate is already set, we believe it */
  1634. if (ic->bit_rate <= 0) {
  1635. bit_rate = 0;
  1636. for(i=0;i<ic->nb_streams;i++) {
  1637. st = ic->streams[i];
  1638. if (st->codec->bit_rate > 0)
  1639. bit_rate += st->codec->bit_rate;
  1640. }
  1641. ic->bit_rate = bit_rate;
  1642. }
  1643. /* if duration is already set, we believe it */
  1644. if (ic->duration == AV_NOPTS_VALUE &&
  1645. ic->bit_rate != 0) {
  1646. filesize = ic->pb ? avio_size(ic->pb) : 0;
  1647. if (filesize > 0) {
  1648. for(i = 0; i < ic->nb_streams; i++) {
  1649. st = ic->streams[i];
  1650. duration= av_rescale(8*filesize, st->time_base.den, ic->bit_rate*(int64_t)st->time_base.num);
  1651. if (st->duration == AV_NOPTS_VALUE)
  1652. st->duration = duration;
  1653. }
  1654. }
  1655. }
  1656. }
  1657. #define DURATION_MAX_READ_SIZE 250000
  1658. #define DURATION_MAX_RETRY 3
  1659. /* only usable for MPEG-PS streams */
  1660. static void estimate_timings_from_pts(AVFormatContext *ic, int64_t old_offset)
  1661. {
  1662. AVPacket pkt1, *pkt = &pkt1;
  1663. AVStream *st;
  1664. int read_size, i, ret;
  1665. int64_t end_time;
  1666. int64_t filesize, offset, duration;
  1667. int retry=0;
  1668. /* flush packet queue */
  1669. flush_packet_queue(ic);
  1670. for (i=0; i<ic->nb_streams; i++) {
  1671. st = ic->streams[i];
  1672. if (st->start_time == AV_NOPTS_VALUE && st->first_dts == AV_NOPTS_VALUE)
  1673. av_log(st->codec, AV_LOG_WARNING, "start time is not set in estimate_timings_from_pts\n");
  1674. if (st->parser) {
  1675. av_parser_close(st->parser);
  1676. st->parser= NULL;
  1677. }
  1678. }
  1679. /* estimate the end time (duration) */
  1680. /* XXX: may need to support wrapping */
  1681. filesize = ic->pb ? avio_size(ic->pb) : 0;
  1682. end_time = AV_NOPTS_VALUE;
  1683. do{
  1684. offset = filesize - (DURATION_MAX_READ_SIZE<<retry);
  1685. if (offset < 0)
  1686. offset = 0;
  1687. avio_seek(ic->pb, offset, SEEK_SET);
  1688. read_size = 0;
  1689. for(;;) {
  1690. if (read_size >= DURATION_MAX_READ_SIZE<<(FFMAX(retry-1,0)))
  1691. break;
  1692. do {
  1693. ret = ff_read_packet(ic, pkt);
  1694. } while(ret == AVERROR(EAGAIN));
  1695. if (ret != 0)
  1696. break;
  1697. read_size += pkt->size;
  1698. st = ic->streams[pkt->stream_index];
  1699. if (pkt->pts != AV_NOPTS_VALUE &&
  1700. (st->start_time != AV_NOPTS_VALUE ||
  1701. st->first_dts != AV_NOPTS_VALUE)) {
  1702. duration = end_time = pkt->pts;
  1703. if (st->start_time != AV_NOPTS_VALUE)
  1704. duration -= st->start_time;
  1705. else
  1706. duration -= st->first_dts;
  1707. if (duration < 0)
  1708. duration += 1LL<<st->pts_wrap_bits;
  1709. if (duration > 0) {
  1710. if (st->duration == AV_NOPTS_VALUE || st->duration < duration)
  1711. st->duration = duration;
  1712. }
  1713. }
  1714. av_free_packet(pkt);
  1715. }
  1716. }while( end_time==AV_NOPTS_VALUE
  1717. && filesize > (DURATION_MAX_READ_SIZE<<retry)
  1718. && ++retry <= DURATION_MAX_RETRY);
  1719. fill_all_stream_timings(ic);
  1720. avio_seek(ic->pb, old_offset, SEEK_SET);
  1721. for (i=0; i<ic->nb_streams; i++) {
  1722. st= ic->streams[i];
  1723. st->cur_dts= st->first_dts;
  1724. st->last_IP_pts = AV_NOPTS_VALUE;
  1725. st->reference_dts = AV_NOPTS_VALUE;
  1726. }
  1727. }
  1728. static void estimate_timings(AVFormatContext *ic, int64_t old_offset)
  1729. {
  1730. int64_t file_size;
  1731. /* get the file size, if possible */
  1732. if (ic->iformat->flags & AVFMT_NOFILE) {
  1733. file_size = 0;
  1734. } else {
  1735. file_size = avio_size(ic->pb);
  1736. file_size = FFMAX(0, file_size);
  1737. }
  1738. if ((!strcmp(ic->iformat->name, "mpeg") ||
  1739. !strcmp(ic->iformat->name, "mpegts")) &&
  1740. file_size && ic->pb->seekable) {
  1741. /* get accurate estimate from the PTSes */
  1742. estimate_timings_from_pts(ic, old_offset);
  1743. } else if (has_duration(ic)) {
  1744. /* at least one component has timings - we use them for all
  1745. the components */
  1746. fill_all_stream_timings(ic);
  1747. } else {
  1748. av_log(ic, AV_LOG_WARNING, "Estimating duration from bitrate, this may be inaccurate\n");
  1749. /* less precise: use bitrate info */
  1750. estimate_timings_from_bit_rate(ic);
  1751. }
  1752. update_stream_timings(ic);
  1753. {
  1754. int i;
  1755. AVStream av_unused *st;
  1756. for(i = 0;i < ic->nb_streams; i++) {
  1757. st = ic->streams[i];
  1758. av_dlog(ic, "%d: start_time: %0.3f duration: %0.3f\n", i,
  1759. (double) st->start_time / AV_TIME_BASE,
  1760. (double) st->duration / AV_TIME_BASE);
  1761. }
  1762. av_dlog(ic, "stream: start_time: %0.3f duration: %0.3f bitrate=%d kb/s\n",
  1763. (double) ic->start_time / AV_TIME_BASE,
  1764. (double) ic->duration / AV_TIME_BASE,
  1765. ic->bit_rate / 1000);
  1766. }
  1767. }
  1768. static int has_codec_parameters(AVStream *st)
  1769. {
  1770. AVCodecContext *avctx = st->codec;
  1771. int val;
  1772. switch (avctx->codec_type) {
  1773. case AVMEDIA_TYPE_AUDIO:
  1774. val = avctx->sample_rate && avctx->channels;
  1775. if (st->info->found_decoder >= 0 && avctx->sample_fmt == AV_SAMPLE_FMT_NONE)
  1776. return 0;
  1777. break;
  1778. case AVMEDIA_TYPE_VIDEO:
  1779. val = avctx->width;
  1780. if (st->info->found_decoder >= 0 && avctx->pix_fmt == PIX_FMT_NONE)
  1781. return 0;
  1782. break;
  1783. default:
  1784. val = 1;
  1785. break;
  1786. }
  1787. return avctx->codec_id != AV_CODEC_ID_NONE && val != 0;
  1788. }
  1789. static int has_decode_delay_been_guessed(AVStream *st)
  1790. {
  1791. return st->codec->codec_id != AV_CODEC_ID_H264 ||
  1792. st->info->nb_decoded_frames >= 6;
  1793. }
  1794. /* returns 1 or 0 if or if not decoded data was returned, or a negative error */
  1795. static int try_decode_frame(AVStream *st, AVPacket *avpkt, AVDictionary **options)
  1796. {
  1797. const AVCodec *codec;
  1798. int got_picture = 1, ret = 0;
  1799. AVFrame picture;
  1800. AVPacket pkt = *avpkt;
  1801. if (!avcodec_is_open(st->codec) && !st->info->found_decoder) {
  1802. AVDictionary *thread_opt = NULL;
  1803. codec = st->codec->codec ? st->codec->codec :
  1804. avcodec_find_decoder(st->codec->codec_id);
  1805. if (!codec) {
  1806. st->info->found_decoder = -1;
  1807. return -1;
  1808. }
  1809. /* force thread count to 1 since the h264 decoder will not extract SPS
  1810. * and PPS to extradata during multi-threaded decoding */
  1811. av_dict_set(options ? options : &thread_opt, "threads", "1", 0);
  1812. ret = avcodec_open2(st->codec, codec, options ? options : &thread_opt);
  1813. if (!options)
  1814. av_dict_free(&thread_opt);
  1815. if (ret < 0) {
  1816. st->info->found_decoder = -1;
  1817. return ret;
  1818. }
  1819. st->info->found_decoder = 1;
  1820. } else if (!st->info->found_decoder)
  1821. st->info->found_decoder = 1;
  1822. if (st->info->found_decoder < 0)
  1823. return -1;
  1824. while ((pkt.size > 0 || (!pkt.data && got_picture)) &&
  1825. ret >= 0 &&
  1826. (!has_codec_parameters(st) ||
  1827. !has_decode_delay_been_guessed(st) ||
  1828. (!st->codec_info_nb_frames && st->codec->codec->capabilities & CODEC_CAP_CHANNEL_CONF))) {
  1829. got_picture = 0;
  1830. avcodec_get_frame_defaults(&picture);
  1831. switch(st->codec->codec_type) {
  1832. case AVMEDIA_TYPE_VIDEO:
  1833. ret = avcodec_decode_video2(st->codec, &picture,
  1834. &got_picture, &pkt);
  1835. break;
  1836. case AVMEDIA_TYPE_AUDIO:
  1837. ret = avcodec_decode_audio4(st->codec, &picture, &got_picture, &pkt);
  1838. break;
  1839. default:
  1840. break;
  1841. }
  1842. if (ret >= 0) {
  1843. if (got_picture)
  1844. st->info->nb_decoded_frames++;
  1845. pkt.data += ret;
  1846. pkt.size -= ret;
  1847. ret = got_picture;
  1848. }
  1849. }
  1850. return ret;
  1851. }
  1852. unsigned int ff_codec_get_tag(const AVCodecTag *tags, enum AVCodecID id)
  1853. {
  1854. while (tags->id != AV_CODEC_ID_NONE) {
  1855. if (tags->id == id)
  1856. return tags->tag;
  1857. tags++;
  1858. }
  1859. return 0;
  1860. }
  1861. enum AVCodecID ff_codec_get_id(const AVCodecTag *tags, unsigned int tag)
  1862. {
  1863. int i;
  1864. for(i=0; tags[i].id != AV_CODEC_ID_NONE;i++) {
  1865. if(tag == tags[i].tag)
  1866. return tags[i].id;
  1867. }
  1868. for(i=0; tags[i].id != AV_CODEC_ID_NONE; i++) {
  1869. if (avpriv_toupper4(tag) == avpriv_toupper4(tags[i].tag))
  1870. return tags[i].id;
  1871. }
  1872. return AV_CODEC_ID_NONE;
  1873. }
  1874. unsigned int av_codec_get_tag(const AVCodecTag * const *tags, enum AVCodecID id)
  1875. {
  1876. int i;
  1877. for(i=0; tags && tags[i]; i++){
  1878. int tag= ff_codec_get_tag(tags[i], id);
  1879. if(tag) return tag;
  1880. }
  1881. return 0;
  1882. }
  1883. enum AVCodecID av_codec_get_id(const AVCodecTag * const *tags, unsigned int tag)
  1884. {
  1885. int i;
  1886. for(i=0; tags && tags[i]; i++){
  1887. enum AVCodecID id= ff_codec_get_id(tags[i], tag);
  1888. if(id!=AV_CODEC_ID_NONE) return id;
  1889. }
  1890. return AV_CODEC_ID_NONE;
  1891. }
  1892. static void compute_chapters_end(AVFormatContext *s)
  1893. {
  1894. unsigned int i, j;
  1895. int64_t max_time = s->duration + ((s->start_time == AV_NOPTS_VALUE) ? 0 : s->start_time);
  1896. for (i = 0; i < s->nb_chapters; i++)
  1897. if (s->chapters[i]->end == AV_NOPTS_VALUE) {
  1898. AVChapter *ch = s->chapters[i];
  1899. int64_t end = max_time ? av_rescale_q(max_time, AV_TIME_BASE_Q, ch->time_base)
  1900. : INT64_MAX;
  1901. for (j = 0; j < s->nb_chapters; j++) {
  1902. AVChapter *ch1 = s->chapters[j];
  1903. int64_t next_start = av_rescale_q(ch1->start, ch1->time_base, ch->time_base);
  1904. if (j != i && next_start > ch->start && next_start < end)
  1905. end = next_start;
  1906. }
  1907. ch->end = (end == INT64_MAX) ? ch->start : end;
  1908. }
  1909. }
  1910. static int get_std_framerate(int i){
  1911. if(i<60*12) return i*1001;
  1912. else return ((const int[]){24,30,60,12,15})[i-60*12]*1000*12;
  1913. }
  1914. /*
  1915. * Is the time base unreliable.
  1916. * This is a heuristic to balance between quick acceptance of the values in
  1917. * the headers vs. some extra checks.
  1918. * Old DivX and Xvid often have nonsense timebases like 1fps or 2fps.
  1919. * MPEG-2 commonly misuses field repeat flags to store different framerates.
  1920. * And there are "variable" fps files this needs to detect as well.
  1921. */
  1922. static int tb_unreliable(AVCodecContext *c){
  1923. if( c->time_base.den >= 101L*c->time_base.num
  1924. || c->time_base.den < 5L*c->time_base.num
  1925. /* || c->codec_tag == AV_RL32("DIVX")
  1926. || c->codec_tag == AV_RL32("XVID")*/
  1927. || c->codec_id == AV_CODEC_ID_MPEG2VIDEO
  1928. || c->codec_id == AV_CODEC_ID_H264
  1929. )
  1930. return 1;
  1931. return 0;
  1932. }
  1933. int avformat_find_stream_info(AVFormatContext *ic, AVDictionary **options)
  1934. {
  1935. int i, count, ret, read_size, j;
  1936. AVStream *st;
  1937. AVPacket pkt1, *pkt;
  1938. int64_t old_offset = avio_tell(ic->pb);
  1939. int orig_nb_streams = ic->nb_streams; // new streams might appear, no options for those
  1940. for(i=0;i<ic->nb_streams;i++) {
  1941. const AVCodec *codec;
  1942. AVDictionary *thread_opt = NULL;
  1943. st = ic->streams[i];
  1944. //only for the split stuff
  1945. if (!st->parser && !(ic->flags & AVFMT_FLAG_NOPARSE)) {
  1946. st->parser = av_parser_init(st->codec->codec_id);
  1947. if(st->need_parsing == AVSTREAM_PARSE_HEADERS && st->parser){
  1948. st->parser->flags |= PARSER_FLAG_COMPLETE_FRAMES;
  1949. }
  1950. }
  1951. codec = st->codec->codec ? st->codec->codec :
  1952. avcodec_find_decoder(st->codec->codec_id);
  1953. /* force thread count to 1 since the h264 decoder will not extract SPS
  1954. * and PPS to extradata during multi-threaded decoding */
  1955. av_dict_set(options ? &options[i] : &thread_opt, "threads", "1", 0);
  1956. /* Ensure that subtitle_header is properly set. */
  1957. if (st->codec->codec_type == AVMEDIA_TYPE_SUBTITLE
  1958. && codec && !st->codec->codec)
  1959. avcodec_open2(st->codec, codec, options ? &options[i]
  1960. : &thread_opt);
  1961. //try to just open decoders, in case this is enough to get parameters
  1962. if (!has_codec_parameters(st)) {
  1963. if (codec && !st->codec->codec)
  1964. avcodec_open2(st->codec, codec, options ? &options[i]
  1965. : &thread_opt);
  1966. }
  1967. if (!options)
  1968. av_dict_free(&thread_opt);
  1969. }
  1970. for (i=0; i<ic->nb_streams; i++) {
  1971. #if FF_API_R_FRAME_RATE
  1972. ic->streams[i]->info->last_dts = AV_NOPTS_VALUE;
  1973. #endif
  1974. ic->streams[i]->info->fps_first_dts = AV_NOPTS_VALUE;
  1975. ic->streams[i]->info->fps_last_dts = AV_NOPTS_VALUE;
  1976. }
  1977. count = 0;
  1978. read_size = 0;
  1979. for(;;) {
  1980. if (ff_check_interrupt(&ic->interrupt_callback)){
  1981. ret= AVERROR_EXIT;
  1982. av_log(ic, AV_LOG_DEBUG, "interrupted\n");
  1983. break;
  1984. }
  1985. /* check if one codec still needs to be handled */
  1986. for(i=0;i<ic->nb_streams;i++) {
  1987. int fps_analyze_framecount = 20;
  1988. st = ic->streams[i];
  1989. if (!has_codec_parameters(st))
  1990. break;
  1991. /* if the timebase is coarse (like the usual millisecond precision
  1992. of mkv), we need to analyze more frames to reliably arrive at
  1993. the correct fps */
  1994. if (av_q2d(st->time_base) > 0.0005)
  1995. fps_analyze_framecount *= 2;
  1996. if (ic->fps_probe_size >= 0)
  1997. fps_analyze_framecount = ic->fps_probe_size;
  1998. /* variable fps and no guess at the real fps */
  1999. if( tb_unreliable(st->codec) && !st->avg_frame_rate.num
  2000. && st->codec_info_nb_frames < fps_analyze_framecount
  2001. && st->codec->codec_type == AVMEDIA_TYPE_VIDEO)
  2002. break;
  2003. if(st->parser && st->parser->parser->split && !st->codec->extradata)
  2004. break;
  2005. if (st->first_dts == AV_NOPTS_VALUE &&
  2006. (st->codec->codec_type == AVMEDIA_TYPE_VIDEO ||
  2007. st->codec->codec_type == AVMEDIA_TYPE_AUDIO))
  2008. break;
  2009. }
  2010. if (i == ic->nb_streams) {
  2011. /* NOTE: if the format has no header, then we need to read
  2012. some packets to get most of the streams, so we cannot
  2013. stop here */
  2014. if (!(ic->ctx_flags & AVFMTCTX_NOHEADER)) {
  2015. /* if we found the info for all the codecs, we can stop */
  2016. ret = count;
  2017. av_log(ic, AV_LOG_DEBUG, "All info found\n");
  2018. break;
  2019. }
  2020. }
  2021. /* we did not get all the codec info, but we read too much data */
  2022. if (read_size >= ic->probesize) {
  2023. ret = count;
  2024. av_log(ic, AV_LOG_DEBUG, "Probe buffer size limit %d reached\n", ic->probesize);
  2025. break;
  2026. }
  2027. /* NOTE: a new stream can be added there if no header in file
  2028. (AVFMTCTX_NOHEADER) */
  2029. ret = read_frame_internal(ic, &pkt1);
  2030. if (ret == AVERROR(EAGAIN))
  2031. continue;
  2032. if (ret < 0) {
  2033. /* EOF or error*/
  2034. AVPacket empty_pkt = { 0 };
  2035. int err = 0;
  2036. av_init_packet(&empty_pkt);
  2037. ret = -1; /* we could not have all the codec parameters before EOF */
  2038. for(i=0;i<ic->nb_streams;i++) {
  2039. st = ic->streams[i];
  2040. /* flush the decoders */
  2041. if (st->info->found_decoder == 1) {
  2042. do {
  2043. err = try_decode_frame(st, &empty_pkt,
  2044. (options && i < orig_nb_streams) ?
  2045. &options[i] : NULL);
  2046. } while (err > 0 && !has_codec_parameters(st));
  2047. }
  2048. if (err < 0) {
  2049. av_log(ic, AV_LOG_WARNING,
  2050. "decoding for stream %d failed\n", st->index);
  2051. } else if (!has_codec_parameters(st)) {
  2052. char buf[256];
  2053. avcodec_string(buf, sizeof(buf), st->codec, 0);
  2054. av_log(ic, AV_LOG_WARNING,
  2055. "Could not find codec parameters (%s)\n", buf);
  2056. } else {
  2057. ret = 0;
  2058. }
  2059. }
  2060. break;
  2061. }
  2062. if (ic->flags & AVFMT_FLAG_NOBUFFER) {
  2063. pkt = &pkt1;
  2064. } else {
  2065. pkt = add_to_pktbuf(&ic->packet_buffer, &pkt1,
  2066. &ic->packet_buffer_end);
  2067. if ((ret = av_dup_packet(pkt)) < 0)
  2068. goto find_stream_info_err;
  2069. }
  2070. read_size += pkt->size;
  2071. st = ic->streams[pkt->stream_index];
  2072. if (pkt->dts != AV_NOPTS_VALUE && st->codec_info_nb_frames > 1) {
  2073. /* check for non-increasing dts */
  2074. if (st->info->fps_last_dts != AV_NOPTS_VALUE &&
  2075. st->info->fps_last_dts >= pkt->dts) {
  2076. av_log(ic, AV_LOG_WARNING, "Non-increasing DTS in stream %d: "
  2077. "packet %d with DTS %"PRId64", packet %d with DTS "
  2078. "%"PRId64"\n", st->index, st->info->fps_last_dts_idx,
  2079. st->info->fps_last_dts, st->codec_info_nb_frames, pkt->dts);
  2080. st->info->fps_first_dts = st->info->fps_last_dts = AV_NOPTS_VALUE;
  2081. }
  2082. /* check for a discontinuity in dts - if the difference in dts
  2083. * is more than 1000 times the average packet duration in the sequence,
  2084. * we treat it as a discontinuity */
  2085. if (st->info->fps_last_dts != AV_NOPTS_VALUE &&
  2086. st->info->fps_last_dts_idx > st->info->fps_first_dts_idx &&
  2087. (pkt->dts - st->info->fps_last_dts) / 1000 >
  2088. (st->info->fps_last_dts - st->info->fps_first_dts) / (st->info->fps_last_dts_idx - st->info->fps_first_dts_idx)) {
  2089. av_log(ic, AV_LOG_WARNING, "DTS discontinuity in stream %d: "
  2090. "packet %d with DTS %"PRId64", packet %d with DTS "
  2091. "%"PRId64"\n", st->index, st->info->fps_last_dts_idx,
  2092. st->info->fps_last_dts, st->codec_info_nb_frames, pkt->dts);
  2093. st->info->fps_first_dts = st->info->fps_last_dts = AV_NOPTS_VALUE;
  2094. }
  2095. /* update stored dts values */
  2096. if (st->info->fps_first_dts == AV_NOPTS_VALUE) {
  2097. st->info->fps_first_dts = pkt->dts;
  2098. st->info->fps_first_dts_idx = st->codec_info_nb_frames;
  2099. }
  2100. st->info->fps_last_dts = pkt->dts;
  2101. st->info->fps_last_dts_idx = st->codec_info_nb_frames;
  2102. /* check max_analyze_duration */
  2103. if (av_rescale_q(pkt->dts - st->info->fps_first_dts, st->time_base,
  2104. AV_TIME_BASE_Q) >= ic->max_analyze_duration) {
  2105. av_log(ic, AV_LOG_WARNING, "max_analyze_duration reached\n");
  2106. break;
  2107. }
  2108. }
  2109. #if FF_API_R_FRAME_RATE
  2110. {
  2111. int64_t last = st->info->last_dts;
  2112. if(pkt->dts != AV_NOPTS_VALUE && last != AV_NOPTS_VALUE && pkt->dts > last){
  2113. int64_t duration= pkt->dts - last;
  2114. double dur= duration * av_q2d(st->time_base);
  2115. if (st->info->duration_count < 2)
  2116. memset(st->info->duration_error, 0, sizeof(st->info->duration_error));
  2117. for (i=1; i<FF_ARRAY_ELEMS(st->info->duration_error); i++) {
  2118. int framerate= get_std_framerate(i);
  2119. int ticks= lrintf(dur*framerate/(1001*12));
  2120. double error = dur - (double)ticks*1001*12 / framerate;
  2121. st->info->duration_error[i] += error*error;
  2122. }
  2123. st->info->duration_count++;
  2124. // ignore the first 4 values, they might have some random jitter
  2125. if (st->info->duration_count > 3)
  2126. st->info->duration_gcd = av_gcd(st->info->duration_gcd, duration);
  2127. }
  2128. if (last == AV_NOPTS_VALUE || st->info->duration_count <= 1)
  2129. st->info->last_dts = pkt->dts;
  2130. }
  2131. #endif
  2132. if(st->parser && st->parser->parser->split && !st->codec->extradata){
  2133. int i= st->parser->parser->split(st->codec, pkt->data, pkt->size);
  2134. if (i > 0 && i < FF_MAX_EXTRADATA_SIZE) {
  2135. st->codec->extradata_size= i;
  2136. st->codec->extradata= av_malloc(st->codec->extradata_size + FF_INPUT_BUFFER_PADDING_SIZE);
  2137. if (!st->codec->extradata)
  2138. return AVERROR(ENOMEM);
  2139. memcpy(st->codec->extradata, pkt->data, st->codec->extradata_size);
  2140. memset(st->codec->extradata + i, 0, FF_INPUT_BUFFER_PADDING_SIZE);
  2141. }
  2142. }
  2143. /* if still no information, we try to open the codec and to
  2144. decompress the frame. We try to avoid that in most cases as
  2145. it takes longer and uses more memory. For MPEG-4, we need to
  2146. decompress for QuickTime.
  2147. If CODEC_CAP_CHANNEL_CONF is set this will force decoding of at
  2148. least one frame of codec data, this makes sure the codec initializes
  2149. the channel configuration and does not only trust the values from the container.
  2150. */
  2151. try_decode_frame(st, pkt, (options && i < orig_nb_streams ) ? &options[i] : NULL);
  2152. st->codec_info_nb_frames++;
  2153. count++;
  2154. }
  2155. // close codecs which were opened in try_decode_frame()
  2156. for(i=0;i<ic->nb_streams;i++) {
  2157. st = ic->streams[i];
  2158. avcodec_close(st->codec);
  2159. }
  2160. for(i=0;i<ic->nb_streams;i++) {
  2161. st = ic->streams[i];
  2162. if (st->codec->codec_type == AVMEDIA_TYPE_VIDEO) {
  2163. /* estimate average framerate if not set by demuxer */
  2164. if (!st->avg_frame_rate.num && st->info->fps_last_dts != st->info->fps_first_dts) {
  2165. int64_t delta_dts = st->info->fps_last_dts - st->info->fps_first_dts;
  2166. int delta_packets = st->info->fps_last_dts_idx - st->info->fps_first_dts_idx;
  2167. int best_fps = 0;
  2168. double best_error = 0.01;
  2169. av_reduce(&st->avg_frame_rate.num, &st->avg_frame_rate.den,
  2170. delta_packets*(int64_t)st->time_base.den,
  2171. delta_dts*(int64_t)st->time_base.num, 60000);
  2172. /* round guessed framerate to a "standard" framerate if it's
  2173. * within 1% of the original estimate*/
  2174. for (j = 1; j < MAX_STD_TIMEBASES; j++) {
  2175. AVRational std_fps = { get_std_framerate(j), 12*1001 };
  2176. double error = fabs(av_q2d(st->avg_frame_rate) / av_q2d(std_fps) - 1);
  2177. if (error < best_error) {
  2178. best_error = error;
  2179. best_fps = std_fps.num;
  2180. }
  2181. }
  2182. if (best_fps) {
  2183. av_reduce(&st->avg_frame_rate.num, &st->avg_frame_rate.den,
  2184. best_fps, 12*1001, INT_MAX);
  2185. }
  2186. }
  2187. #if FF_API_R_FRAME_RATE
  2188. // the check for tb_unreliable() is not completely correct, since this is not about handling
  2189. // a unreliable/inexact time base, but a time base that is finer than necessary, as e.g.
  2190. // ipmovie.c produces.
  2191. if (tb_unreliable(st->codec) && st->info->duration_count > 15 && st->info->duration_gcd > 1 && !st->r_frame_rate.num)
  2192. av_reduce(&st->r_frame_rate.num, &st->r_frame_rate.den, st->time_base.den, st->time_base.num * st->info->duration_gcd, INT_MAX);
  2193. if (st->info->duration_count && !st->r_frame_rate.num
  2194. && tb_unreliable(st->codec)) {
  2195. int num = 0;
  2196. double best_error= 2*av_q2d(st->time_base);
  2197. best_error = best_error*best_error*st->info->duration_count*1000*12*30;
  2198. for (j=1; j<FF_ARRAY_ELEMS(st->info->duration_error); j++) {
  2199. double error = st->info->duration_error[j] * get_std_framerate(j);
  2200. if(error < best_error){
  2201. best_error= error;
  2202. num = get_std_framerate(j);
  2203. }
  2204. }
  2205. // do not increase frame rate by more than 1 % in order to match a standard rate.
  2206. if (num && (!st->r_frame_rate.num || (double)num/(12*1001) < 1.01 * av_q2d(st->r_frame_rate)))
  2207. av_reduce(&st->r_frame_rate.num, &st->r_frame_rate.den, num, 12*1001, INT_MAX);
  2208. }
  2209. #endif
  2210. }else if(st->codec->codec_type == AVMEDIA_TYPE_AUDIO) {
  2211. if(!st->codec->bits_per_coded_sample)
  2212. st->codec->bits_per_coded_sample= av_get_bits_per_sample(st->codec->codec_id);
  2213. // set stream disposition based on audio service type
  2214. switch (st->codec->audio_service_type) {
  2215. case AV_AUDIO_SERVICE_TYPE_EFFECTS:
  2216. st->disposition = AV_DISPOSITION_CLEAN_EFFECTS; break;
  2217. case AV_AUDIO_SERVICE_TYPE_VISUALLY_IMPAIRED:
  2218. st->disposition = AV_DISPOSITION_VISUAL_IMPAIRED; break;
  2219. case AV_AUDIO_SERVICE_TYPE_HEARING_IMPAIRED:
  2220. st->disposition = AV_DISPOSITION_HEARING_IMPAIRED; break;
  2221. case AV_AUDIO_SERVICE_TYPE_COMMENTARY:
  2222. st->disposition = AV_DISPOSITION_COMMENT; break;
  2223. case AV_AUDIO_SERVICE_TYPE_KARAOKE:
  2224. st->disposition = AV_DISPOSITION_KARAOKE; break;
  2225. }
  2226. }
  2227. }
  2228. estimate_timings(ic, old_offset);
  2229. compute_chapters_end(ic);
  2230. find_stream_info_err:
  2231. for (i=0; i < ic->nb_streams; i++) {
  2232. if (ic->streams[i]->codec)
  2233. ic->streams[i]->codec->thread_count = 0;
  2234. av_freep(&ic->streams[i]->info);
  2235. }
  2236. return ret;
  2237. }
  2238. static AVProgram *find_program_from_stream(AVFormatContext *ic, int s)
  2239. {
  2240. int i, j;
  2241. for (i = 0; i < ic->nb_programs; i++)
  2242. for (j = 0; j < ic->programs[i]->nb_stream_indexes; j++)
  2243. if (ic->programs[i]->stream_index[j] == s)
  2244. return ic->programs[i];
  2245. return NULL;
  2246. }
  2247. int av_find_best_stream(AVFormatContext *ic,
  2248. enum AVMediaType type,
  2249. int wanted_stream_nb,
  2250. int related_stream,
  2251. AVCodec **decoder_ret,
  2252. int flags)
  2253. {
  2254. int i, nb_streams = ic->nb_streams;
  2255. int ret = AVERROR_STREAM_NOT_FOUND, best_count = -1;
  2256. unsigned *program = NULL;
  2257. AVCodec *decoder = NULL, *best_decoder = NULL;
  2258. if (related_stream >= 0 && wanted_stream_nb < 0) {
  2259. AVProgram *p = find_program_from_stream(ic, related_stream);
  2260. if (p) {
  2261. program = p->stream_index;
  2262. nb_streams = p->nb_stream_indexes;
  2263. }
  2264. }
  2265. for (i = 0; i < nb_streams; i++) {
  2266. int real_stream_index = program ? program[i] : i;
  2267. AVStream *st = ic->streams[real_stream_index];
  2268. AVCodecContext *avctx = st->codec;
  2269. if (avctx->codec_type != type)
  2270. continue;
  2271. if (wanted_stream_nb >= 0 && real_stream_index != wanted_stream_nb)
  2272. continue;
  2273. if (st->disposition & (AV_DISPOSITION_HEARING_IMPAIRED|AV_DISPOSITION_VISUAL_IMPAIRED))
  2274. continue;
  2275. if (decoder_ret) {
  2276. decoder = avcodec_find_decoder(st->codec->codec_id);
  2277. if (!decoder) {
  2278. if (ret < 0)
  2279. ret = AVERROR_DECODER_NOT_FOUND;
  2280. continue;
  2281. }
  2282. }
  2283. if (best_count >= st->codec_info_nb_frames)
  2284. continue;
  2285. best_count = st->codec_info_nb_frames;
  2286. ret = real_stream_index;
  2287. best_decoder = decoder;
  2288. if (program && i == nb_streams - 1 && ret < 0) {
  2289. program = NULL;
  2290. nb_streams = ic->nb_streams;
  2291. i = 0; /* no related stream found, try again with everything */
  2292. }
  2293. }
  2294. if (decoder_ret)
  2295. *decoder_ret = best_decoder;
  2296. return ret;
  2297. }
  2298. /*******************************************************/
  2299. int av_read_play(AVFormatContext *s)
  2300. {
  2301. if (s->iformat->read_play)
  2302. return s->iformat->read_play(s);
  2303. if (s->pb)
  2304. return avio_pause(s->pb, 0);
  2305. return AVERROR(ENOSYS);
  2306. }
  2307. int av_read_pause(AVFormatContext *s)
  2308. {
  2309. if (s->iformat->read_pause)
  2310. return s->iformat->read_pause(s);
  2311. if (s->pb)
  2312. return avio_pause(s->pb, 1);
  2313. return AVERROR(ENOSYS);
  2314. }
  2315. void avformat_free_context(AVFormatContext *s)
  2316. {
  2317. int i;
  2318. AVStream *st;
  2319. av_opt_free(s);
  2320. if (s->iformat && s->iformat->priv_class && s->priv_data)
  2321. av_opt_free(s->priv_data);
  2322. for(i=0;i<s->nb_streams;i++) {
  2323. /* free all data in a stream component */
  2324. st = s->streams[i];
  2325. if (st->parser) {
  2326. av_parser_close(st->parser);
  2327. }
  2328. if (st->attached_pic.data)
  2329. av_free_packet(&st->attached_pic);
  2330. av_dict_free(&st->metadata);
  2331. av_free(st->index_entries);
  2332. av_free(st->codec->extradata);
  2333. av_free(st->codec->subtitle_header);
  2334. av_free(st->codec);
  2335. av_free(st->priv_data);
  2336. av_free(st->info);
  2337. av_free(st);
  2338. }
  2339. for(i=s->nb_programs-1; i>=0; i--) {
  2340. av_dict_free(&s->programs[i]->metadata);
  2341. av_freep(&s->programs[i]->stream_index);
  2342. av_freep(&s->programs[i]);
  2343. }
  2344. av_freep(&s->programs);
  2345. av_freep(&s->priv_data);
  2346. while(s->nb_chapters--) {
  2347. av_dict_free(&s->chapters[s->nb_chapters]->metadata);
  2348. av_free(s->chapters[s->nb_chapters]);
  2349. }
  2350. av_freep(&s->chapters);
  2351. av_dict_free(&s->metadata);
  2352. av_freep(&s->streams);
  2353. av_free(s);
  2354. }
  2355. #if FF_API_CLOSE_INPUT_FILE
  2356. void av_close_input_file(AVFormatContext *s)
  2357. {
  2358. avformat_close_input(&s);
  2359. }
  2360. #endif
  2361. void avformat_close_input(AVFormatContext **ps)
  2362. {
  2363. AVFormatContext *s = *ps;
  2364. AVIOContext *pb = s->pb;
  2365. if ((s->iformat && s->iformat->flags & AVFMT_NOFILE) &&
  2366. (s->flags & AVFMT_FLAG_CUSTOM_IO))
  2367. pb = NULL;
  2368. flush_packet_queue(s);
  2369. if (s->iformat) {
  2370. if (s->iformat->read_close)
  2371. s->iformat->read_close(s);
  2372. }
  2373. avformat_free_context(s);
  2374. *ps = NULL;
  2375. avio_close(pb);
  2376. }
  2377. AVStream *avformat_new_stream(AVFormatContext *s, AVCodec *c)
  2378. {
  2379. AVStream *st;
  2380. int i;
  2381. AVStream **streams;
  2382. if (s->nb_streams >= INT_MAX/sizeof(*streams))
  2383. return NULL;
  2384. streams = av_realloc(s->streams, (s->nb_streams + 1) * sizeof(*streams));
  2385. if (!streams)
  2386. return NULL;
  2387. s->streams = streams;
  2388. st = av_mallocz(sizeof(AVStream));
  2389. if (!st)
  2390. return NULL;
  2391. if (!(st->info = av_mallocz(sizeof(*st->info)))) {
  2392. av_free(st);
  2393. return NULL;
  2394. }
  2395. st->codec = avcodec_alloc_context3(c);
  2396. if (s->iformat) {
  2397. /* no default bitrate if decoding */
  2398. st->codec->bit_rate = 0;
  2399. }
  2400. st->index = s->nb_streams;
  2401. st->start_time = AV_NOPTS_VALUE;
  2402. st->duration = AV_NOPTS_VALUE;
  2403. /* we set the current DTS to 0 so that formats without any timestamps
  2404. but durations get some timestamps, formats with some unknown
  2405. timestamps have their first few packets buffered and the
  2406. timestamps corrected before they are returned to the user */
  2407. st->cur_dts = 0;
  2408. st->first_dts = AV_NOPTS_VALUE;
  2409. st->probe_packets = MAX_PROBE_PACKETS;
  2410. /* default pts setting is MPEG-like */
  2411. avpriv_set_pts_info(st, 33, 1, 90000);
  2412. st->last_IP_pts = AV_NOPTS_VALUE;
  2413. for(i=0; i<MAX_REORDER_DELAY+1; i++)
  2414. st->pts_buffer[i]= AV_NOPTS_VALUE;
  2415. st->reference_dts = AV_NOPTS_VALUE;
  2416. st->sample_aspect_ratio = (AVRational){0,1};
  2417. #if FF_API_R_FRAME_RATE
  2418. st->info->last_dts = AV_NOPTS_VALUE;
  2419. #endif
  2420. st->info->fps_first_dts = AV_NOPTS_VALUE;
  2421. st->info->fps_last_dts = AV_NOPTS_VALUE;
  2422. s->streams[s->nb_streams++] = st;
  2423. return st;
  2424. }
  2425. AVProgram *av_new_program(AVFormatContext *ac, int id)
  2426. {
  2427. AVProgram *program=NULL;
  2428. int i;
  2429. av_dlog(ac, "new_program: id=0x%04x\n", id);
  2430. for(i=0; i<ac->nb_programs; i++)
  2431. if(ac->programs[i]->id == id)
  2432. program = ac->programs[i];
  2433. if(!program){
  2434. program = av_mallocz(sizeof(AVProgram));
  2435. if (!program)
  2436. return NULL;
  2437. dynarray_add(&ac->programs, &ac->nb_programs, program);
  2438. program->discard = AVDISCARD_NONE;
  2439. }
  2440. program->id = id;
  2441. return program;
  2442. }
  2443. AVChapter *avpriv_new_chapter(AVFormatContext *s, int id, AVRational time_base, int64_t start, int64_t end, const char *title)
  2444. {
  2445. AVChapter *chapter = NULL;
  2446. int i;
  2447. for(i=0; i<s->nb_chapters; i++)
  2448. if(s->chapters[i]->id == id)
  2449. chapter = s->chapters[i];
  2450. if(!chapter){
  2451. chapter= av_mallocz(sizeof(AVChapter));
  2452. if(!chapter)
  2453. return NULL;
  2454. dynarray_add(&s->chapters, &s->nb_chapters, chapter);
  2455. }
  2456. av_dict_set(&chapter->metadata, "title", title, 0);
  2457. chapter->id = id;
  2458. chapter->time_base= time_base;
  2459. chapter->start = start;
  2460. chapter->end = end;
  2461. return chapter;
  2462. }
  2463. /************************************************************/
  2464. /* output media file */
  2465. static int validate_codec_tag(AVFormatContext *s, AVStream *st)
  2466. {
  2467. const AVCodecTag *avctag;
  2468. int n;
  2469. enum AVCodecID id = AV_CODEC_ID_NONE;
  2470. unsigned int tag = 0;
  2471. /**
  2472. * Check that tag + id is in the table
  2473. * If neither is in the table -> OK
  2474. * If tag is in the table with another id -> FAIL
  2475. * If id is in the table with another tag -> FAIL unless strict < normal
  2476. */
  2477. for (n = 0; s->oformat->codec_tag[n]; n++) {
  2478. avctag = s->oformat->codec_tag[n];
  2479. while (avctag->id != AV_CODEC_ID_NONE) {
  2480. if (avpriv_toupper4(avctag->tag) == avpriv_toupper4(st->codec->codec_tag)) {
  2481. id = avctag->id;
  2482. if (id == st->codec->codec_id)
  2483. return 1;
  2484. }
  2485. if (avctag->id == st->codec->codec_id)
  2486. tag = avctag->tag;
  2487. avctag++;
  2488. }
  2489. }
  2490. if (id != AV_CODEC_ID_NONE)
  2491. return 0;
  2492. if (tag && (st->codec->strict_std_compliance >= FF_COMPLIANCE_NORMAL))
  2493. return 0;
  2494. return 1;
  2495. }
  2496. int avformat_write_header(AVFormatContext *s, AVDictionary **options)
  2497. {
  2498. int ret = 0, i;
  2499. AVStream *st;
  2500. AVDictionary *tmp = NULL;
  2501. if (options)
  2502. av_dict_copy(&tmp, *options, 0);
  2503. if ((ret = av_opt_set_dict(s, &tmp)) < 0)
  2504. goto fail;
  2505. // some sanity checks
  2506. if (s->nb_streams == 0 && !(s->oformat->flags & AVFMT_NOSTREAMS)) {
  2507. av_log(s, AV_LOG_ERROR, "no streams\n");
  2508. ret = AVERROR(EINVAL);
  2509. goto fail;
  2510. }
  2511. for(i=0;i<s->nb_streams;i++) {
  2512. st = s->streams[i];
  2513. switch (st->codec->codec_type) {
  2514. case AVMEDIA_TYPE_AUDIO:
  2515. if(st->codec->sample_rate<=0){
  2516. av_log(s, AV_LOG_ERROR, "sample rate not set\n");
  2517. ret = AVERROR(EINVAL);
  2518. goto fail;
  2519. }
  2520. if(!st->codec->block_align)
  2521. st->codec->block_align = st->codec->channels *
  2522. av_get_bits_per_sample(st->codec->codec_id) >> 3;
  2523. break;
  2524. case AVMEDIA_TYPE_VIDEO:
  2525. if(st->codec->time_base.num<=0 || st->codec->time_base.den<=0){ //FIXME audio too?
  2526. av_log(s, AV_LOG_ERROR, "time base not set\n");
  2527. ret = AVERROR(EINVAL);
  2528. goto fail;
  2529. }
  2530. if((st->codec->width<=0 || st->codec->height<=0) && !(s->oformat->flags & AVFMT_NODIMENSIONS)){
  2531. av_log(s, AV_LOG_ERROR, "dimensions not set\n");
  2532. ret = AVERROR(EINVAL);
  2533. goto fail;
  2534. }
  2535. if(av_cmp_q(st->sample_aspect_ratio, st->codec->sample_aspect_ratio)){
  2536. av_log(s, AV_LOG_ERROR, "Aspect ratio mismatch between muxer "
  2537. "(%d/%d) and encoder layer (%d/%d)\n",
  2538. st->sample_aspect_ratio.num, st->sample_aspect_ratio.den,
  2539. st->codec->sample_aspect_ratio.num,
  2540. st->codec->sample_aspect_ratio.den);
  2541. ret = AVERROR(EINVAL);
  2542. goto fail;
  2543. }
  2544. break;
  2545. }
  2546. if(s->oformat->codec_tag){
  2547. if(st->codec->codec_tag && st->codec->codec_id == AV_CODEC_ID_RAWVIDEO && av_codec_get_tag(s->oformat->codec_tag, st->codec->codec_id) == 0 && !validate_codec_tag(s, st)){
  2548. //the current rawvideo encoding system ends up setting the wrong codec_tag for avi, we override it here
  2549. st->codec->codec_tag= 0;
  2550. }
  2551. if(st->codec->codec_tag){
  2552. if (!validate_codec_tag(s, st)) {
  2553. char tagbuf[32];
  2554. av_get_codec_tag_string(tagbuf, sizeof(tagbuf), st->codec->codec_tag);
  2555. av_log(s, AV_LOG_ERROR,
  2556. "Tag %s/0x%08x incompatible with output codec id '%d'\n",
  2557. tagbuf, st->codec->codec_tag, st->codec->codec_id);
  2558. ret = AVERROR_INVALIDDATA;
  2559. goto fail;
  2560. }
  2561. }else
  2562. st->codec->codec_tag= av_codec_get_tag(s->oformat->codec_tag, st->codec->codec_id);
  2563. }
  2564. if(s->oformat->flags & AVFMT_GLOBALHEADER &&
  2565. !(st->codec->flags & CODEC_FLAG_GLOBAL_HEADER))
  2566. av_log(s, AV_LOG_WARNING, "Codec for stream %d does not use global headers but container format requires global headers\n", i);
  2567. }
  2568. if (!s->priv_data && s->oformat->priv_data_size > 0) {
  2569. s->priv_data = av_mallocz(s->oformat->priv_data_size);
  2570. if (!s->priv_data) {
  2571. ret = AVERROR(ENOMEM);
  2572. goto fail;
  2573. }
  2574. if (s->oformat->priv_class) {
  2575. *(const AVClass**)s->priv_data= s->oformat->priv_class;
  2576. av_opt_set_defaults(s->priv_data);
  2577. if ((ret = av_opt_set_dict(s->priv_data, &tmp)) < 0)
  2578. goto fail;
  2579. }
  2580. }
  2581. /* set muxer identification string */
  2582. if (s->nb_streams && !(s->streams[0]->codec->flags & CODEC_FLAG_BITEXACT)) {
  2583. av_dict_set(&s->metadata, "encoder", LIBAVFORMAT_IDENT, 0);
  2584. }
  2585. if(s->oformat->write_header){
  2586. ret = s->oformat->write_header(s);
  2587. if (ret < 0)
  2588. goto fail;
  2589. }
  2590. /* init PTS generation */
  2591. for(i=0;i<s->nb_streams;i++) {
  2592. int64_t den = AV_NOPTS_VALUE;
  2593. st = s->streams[i];
  2594. switch (st->codec->codec_type) {
  2595. case AVMEDIA_TYPE_AUDIO:
  2596. den = (int64_t)st->time_base.num * st->codec->sample_rate;
  2597. break;
  2598. case AVMEDIA_TYPE_VIDEO:
  2599. den = (int64_t)st->time_base.num * st->codec->time_base.den;
  2600. break;
  2601. default:
  2602. break;
  2603. }
  2604. if (den != AV_NOPTS_VALUE) {
  2605. if (den <= 0) {
  2606. ret = AVERROR_INVALIDDATA;
  2607. goto fail;
  2608. }
  2609. frac_init(&st->pts, 0, 0, den);
  2610. }
  2611. }
  2612. if (options) {
  2613. av_dict_free(options);
  2614. *options = tmp;
  2615. }
  2616. return 0;
  2617. fail:
  2618. av_dict_free(&tmp);
  2619. return ret;
  2620. }
  2621. //FIXME merge with compute_pkt_fields
  2622. static int compute_pkt_fields2(AVFormatContext *s, AVStream *st, AVPacket *pkt){
  2623. int delay = FFMAX(st->codec->has_b_frames, !!st->codec->max_b_frames);
  2624. int num, den, frame_size, i;
  2625. av_dlog(s, "compute_pkt_fields2: pts:%"PRId64" dts:%"PRId64" cur_dts:%"PRId64" b:%d size:%d st:%d\n",
  2626. pkt->pts, pkt->dts, st->cur_dts, delay, pkt->size, pkt->stream_index);
  2627. /* if(pkt->pts == AV_NOPTS_VALUE && pkt->dts == AV_NOPTS_VALUE)
  2628. return AVERROR(EINVAL);*/
  2629. /* duration field */
  2630. if (pkt->duration == 0) {
  2631. compute_frame_duration(&num, &den, st, NULL, pkt);
  2632. if (den && num) {
  2633. pkt->duration = av_rescale(1, num * (int64_t)st->time_base.den * st->codec->ticks_per_frame, den * (int64_t)st->time_base.num);
  2634. }
  2635. }
  2636. if(pkt->pts == AV_NOPTS_VALUE && pkt->dts != AV_NOPTS_VALUE && delay==0)
  2637. pkt->pts= pkt->dts;
  2638. //XXX/FIXME this is a temporary hack until all encoders output pts
  2639. if((pkt->pts == 0 || pkt->pts == AV_NOPTS_VALUE) && pkt->dts == AV_NOPTS_VALUE && !delay){
  2640. pkt->dts=
  2641. // pkt->pts= st->cur_dts;
  2642. pkt->pts= st->pts.val;
  2643. }
  2644. //calculate dts from pts
  2645. if(pkt->pts != AV_NOPTS_VALUE && pkt->dts == AV_NOPTS_VALUE && delay <= MAX_REORDER_DELAY){
  2646. st->pts_buffer[0]= pkt->pts;
  2647. for(i=1; i<delay+1 && st->pts_buffer[i] == AV_NOPTS_VALUE; i++)
  2648. st->pts_buffer[i]= pkt->pts + (i-delay-1) * pkt->duration;
  2649. for(i=0; i<delay && st->pts_buffer[i] > st->pts_buffer[i+1]; i++)
  2650. FFSWAP(int64_t, st->pts_buffer[i], st->pts_buffer[i+1]);
  2651. pkt->dts= st->pts_buffer[0];
  2652. }
  2653. if (st->cur_dts && st->cur_dts != AV_NOPTS_VALUE &&
  2654. ((!(s->oformat->flags & AVFMT_TS_NONSTRICT) &&
  2655. st->cur_dts >= pkt->dts) || st->cur_dts > pkt->dts)) {
  2656. av_log(s, AV_LOG_ERROR,
  2657. "Application provided invalid, non monotonically increasing dts to muxer in stream %d: %"PRId64" >= %"PRId64"\n",
  2658. st->index, st->cur_dts, pkt->dts);
  2659. return AVERROR(EINVAL);
  2660. }
  2661. if(pkt->dts != AV_NOPTS_VALUE && pkt->pts != AV_NOPTS_VALUE && pkt->pts < pkt->dts){
  2662. av_log(s, AV_LOG_ERROR, "pts < dts in stream %d\n", st->index);
  2663. return AVERROR(EINVAL);
  2664. }
  2665. // av_log(s, AV_LOG_DEBUG, "av_write_frame: pts2:%"PRId64" dts2:%"PRId64"\n", pkt->pts, pkt->dts);
  2666. st->cur_dts= pkt->dts;
  2667. st->pts.val= pkt->dts;
  2668. /* update pts */
  2669. switch (st->codec->codec_type) {
  2670. case AVMEDIA_TYPE_AUDIO:
  2671. frame_size = get_audio_frame_size(st->codec, pkt->size, 1);
  2672. /* HACK/FIXME, we skip the initial 0 size packets as they are most
  2673. likely equal to the encoder delay, but it would be better if we
  2674. had the real timestamps from the encoder */
  2675. if (frame_size >= 0 && (pkt->size || st->pts.num!=st->pts.den>>1 || st->pts.val)) {
  2676. frac_add(&st->pts, (int64_t)st->time_base.den * frame_size);
  2677. }
  2678. break;
  2679. case AVMEDIA_TYPE_VIDEO:
  2680. frac_add(&st->pts, (int64_t)st->time_base.den * st->codec->time_base.num);
  2681. break;
  2682. default:
  2683. break;
  2684. }
  2685. return 0;
  2686. }
  2687. int av_write_frame(AVFormatContext *s, AVPacket *pkt)
  2688. {
  2689. int ret;
  2690. if (!pkt) {
  2691. if (s->oformat->flags & AVFMT_ALLOW_FLUSH)
  2692. return s->oformat->write_packet(s, pkt);
  2693. return 1;
  2694. }
  2695. ret = compute_pkt_fields2(s, s->streams[pkt->stream_index], pkt);
  2696. if(ret<0 && !(s->oformat->flags & AVFMT_NOTIMESTAMPS))
  2697. return ret;
  2698. ret= s->oformat->write_packet(s, pkt);
  2699. if (ret >= 0)
  2700. s->streams[pkt->stream_index]->nb_frames++;
  2701. return ret;
  2702. }
  2703. void ff_interleave_add_packet(AVFormatContext *s, AVPacket *pkt,
  2704. int (*compare)(AVFormatContext *, AVPacket *, AVPacket *))
  2705. {
  2706. AVPacketList **next_point, *this_pktl;
  2707. this_pktl = av_mallocz(sizeof(AVPacketList));
  2708. this_pktl->pkt= *pkt;
  2709. pkt->destruct= NULL; // do not free original but only the copy
  2710. av_dup_packet(&this_pktl->pkt); // duplicate the packet if it uses non-alloced memory
  2711. if(s->streams[pkt->stream_index]->last_in_packet_buffer){
  2712. next_point = &(s->streams[pkt->stream_index]->last_in_packet_buffer->next);
  2713. }else
  2714. next_point = &s->packet_buffer;
  2715. if(*next_point){
  2716. if(compare(s, &s->packet_buffer_end->pkt, pkt)){
  2717. while(!compare(s, &(*next_point)->pkt, pkt)){
  2718. next_point= &(*next_point)->next;
  2719. }
  2720. goto next_non_null;
  2721. }else{
  2722. next_point = &(s->packet_buffer_end->next);
  2723. }
  2724. }
  2725. assert(!*next_point);
  2726. s->packet_buffer_end= this_pktl;
  2727. next_non_null:
  2728. this_pktl->next= *next_point;
  2729. s->streams[pkt->stream_index]->last_in_packet_buffer=
  2730. *next_point= this_pktl;
  2731. }
  2732. static int ff_interleave_compare_dts(AVFormatContext *s, AVPacket *next, AVPacket *pkt)
  2733. {
  2734. AVStream *st = s->streams[ pkt ->stream_index];
  2735. AVStream *st2= s->streams[ next->stream_index];
  2736. int comp = av_compare_ts(next->dts, st2->time_base, pkt->dts,
  2737. st->time_base);
  2738. if (comp == 0)
  2739. return pkt->stream_index < next->stream_index;
  2740. return comp > 0;
  2741. }
  2742. int ff_interleave_packet_per_dts(AVFormatContext *s, AVPacket *out,
  2743. AVPacket *pkt, int flush)
  2744. {
  2745. AVPacketList *pktl;
  2746. int stream_count=0;
  2747. int i;
  2748. if(pkt){
  2749. ff_interleave_add_packet(s, pkt, ff_interleave_compare_dts);
  2750. }
  2751. for(i=0; i < s->nb_streams; i++)
  2752. stream_count+= !!s->streams[i]->last_in_packet_buffer;
  2753. if(stream_count && (s->nb_streams == stream_count || flush)){
  2754. pktl= s->packet_buffer;
  2755. *out= pktl->pkt;
  2756. s->packet_buffer= pktl->next;
  2757. if(!s->packet_buffer)
  2758. s->packet_buffer_end= NULL;
  2759. if(s->streams[out->stream_index]->last_in_packet_buffer == pktl)
  2760. s->streams[out->stream_index]->last_in_packet_buffer= NULL;
  2761. av_freep(&pktl);
  2762. return 1;
  2763. }else{
  2764. av_init_packet(out);
  2765. return 0;
  2766. }
  2767. }
  2768. #if FF_API_INTERLEAVE_PACKET
  2769. int av_interleave_packet_per_dts(AVFormatContext *s, AVPacket *out,
  2770. AVPacket *pkt, int flush)
  2771. {
  2772. return ff_interleave_packet_per_dts(s, out, pkt, flush);
  2773. }
  2774. #endif
  2775. /**
  2776. * Interleave an AVPacket correctly so it can be muxed.
  2777. * @param out the interleaved packet will be output here
  2778. * @param in the input packet
  2779. * @param flush 1 if no further packets are available as input and all
  2780. * remaining packets should be output
  2781. * @return 1 if a packet was output, 0 if no packet could be output,
  2782. * < 0 if an error occurred
  2783. */
  2784. static int interleave_packet(AVFormatContext *s, AVPacket *out, AVPacket *in, int flush){
  2785. if (s->oformat->interleave_packet) {
  2786. int ret = s->oformat->interleave_packet(s, out, in, flush);
  2787. if (in)
  2788. av_free_packet(in);
  2789. return ret;
  2790. } else
  2791. return ff_interleave_packet_per_dts(s, out, in, flush);
  2792. }
  2793. int av_interleaved_write_frame(AVFormatContext *s, AVPacket *pkt){
  2794. int ret, flush = 0;
  2795. if (pkt) {
  2796. AVStream *st= s->streams[ pkt->stream_index];
  2797. //FIXME/XXX/HACK drop zero sized packets
  2798. if(st->codec->codec_type == AVMEDIA_TYPE_AUDIO && pkt->size==0)
  2799. return 0;
  2800. av_dlog(s, "av_interleaved_write_frame size:%d dts:%"PRId64" pts:%"PRId64"\n",
  2801. pkt->size, pkt->dts, pkt->pts);
  2802. if((ret = compute_pkt_fields2(s, st, pkt)) < 0 && !(s->oformat->flags & AVFMT_NOTIMESTAMPS))
  2803. return ret;
  2804. if(pkt->dts == AV_NOPTS_VALUE && !(s->oformat->flags & AVFMT_NOTIMESTAMPS))
  2805. return AVERROR(EINVAL);
  2806. } else {
  2807. av_dlog(s, "av_interleaved_write_frame FLUSH\n");
  2808. flush = 1;
  2809. }
  2810. for(;;){
  2811. AVPacket opkt;
  2812. int ret= interleave_packet(s, &opkt, pkt, flush);
  2813. if(ret<=0) //FIXME cleanup needed for ret<0 ?
  2814. return ret;
  2815. ret= s->oformat->write_packet(s, &opkt);
  2816. if (ret >= 0)
  2817. s->streams[opkt.stream_index]->nb_frames++;
  2818. av_free_packet(&opkt);
  2819. pkt= NULL;
  2820. if(ret<0)
  2821. return ret;
  2822. }
  2823. }
  2824. int av_write_trailer(AVFormatContext *s)
  2825. {
  2826. int ret, i;
  2827. for (;;) {
  2828. AVPacket pkt;
  2829. ret = interleave_packet(s, &pkt, NULL, 1);
  2830. if (ret < 0) //FIXME cleanup needed for ret<0 ?
  2831. goto fail;
  2832. if (!ret)
  2833. break;
  2834. ret = s->oformat->write_packet(s, &pkt);
  2835. if (ret >= 0)
  2836. s->streams[pkt.stream_index]->nb_frames++;
  2837. av_free_packet(&pkt);
  2838. if (ret < 0)
  2839. goto fail;
  2840. }
  2841. if (s->oformat->write_trailer)
  2842. ret = s->oformat->write_trailer(s);
  2843. if (!(s->oformat->flags & AVFMT_NOFILE))
  2844. avio_flush(s->pb);
  2845. fail:
  2846. for (i = 0; i < s->nb_streams; i++) {
  2847. av_freep(&s->streams[i]->priv_data);
  2848. av_freep(&s->streams[i]->index_entries);
  2849. }
  2850. if (s->oformat->priv_class)
  2851. av_opt_free(s->priv_data);
  2852. av_freep(&s->priv_data);
  2853. return ret;
  2854. }
  2855. void ff_program_add_stream_index(AVFormatContext *ac, int progid, unsigned int idx)
  2856. {
  2857. int i, j;
  2858. AVProgram *program=NULL;
  2859. void *tmp;
  2860. if (idx >= ac->nb_streams) {
  2861. av_log(ac, AV_LOG_ERROR, "stream index %d is not valid\n", idx);
  2862. return;
  2863. }
  2864. for(i=0; i<ac->nb_programs; i++){
  2865. if(ac->programs[i]->id != progid)
  2866. continue;
  2867. program = ac->programs[i];
  2868. for(j=0; j<program->nb_stream_indexes; j++)
  2869. if(program->stream_index[j] == idx)
  2870. return;
  2871. tmp = av_realloc(program->stream_index, sizeof(unsigned int)*(program->nb_stream_indexes+1));
  2872. if(!tmp)
  2873. return;
  2874. program->stream_index = tmp;
  2875. program->stream_index[program->nb_stream_indexes++] = idx;
  2876. return;
  2877. }
  2878. }
  2879. static void print_fps(double d, const char *postfix){
  2880. uint64_t v= lrintf(d*100);
  2881. if (v% 100 ) av_log(NULL, AV_LOG_INFO, ", %3.2f %s", d, postfix);
  2882. else if(v%(100*1000)) av_log(NULL, AV_LOG_INFO, ", %1.0f %s", d, postfix);
  2883. else av_log(NULL, AV_LOG_INFO, ", %1.0fk %s", d/1000, postfix);
  2884. }
  2885. static void dump_metadata(void *ctx, AVDictionary *m, const char *indent)
  2886. {
  2887. if(m && !(av_dict_count(m) == 1 && av_dict_get(m, "language", NULL, 0))){
  2888. AVDictionaryEntry *tag=NULL;
  2889. av_log(ctx, AV_LOG_INFO, "%sMetadata:\n", indent);
  2890. while((tag=av_dict_get(m, "", tag, AV_DICT_IGNORE_SUFFIX))) {
  2891. if(strcmp("language", tag->key))
  2892. av_log(ctx, AV_LOG_INFO, "%s %-16s: %s\n", indent, tag->key, tag->value);
  2893. }
  2894. }
  2895. }
  2896. /* "user interface" functions */
  2897. static void dump_stream_format(AVFormatContext *ic, int i, int index, int is_output)
  2898. {
  2899. char buf[256];
  2900. int flags = (is_output ? ic->oformat->flags : ic->iformat->flags);
  2901. AVStream *st = ic->streams[i];
  2902. int g = av_gcd(st->time_base.num, st->time_base.den);
  2903. AVDictionaryEntry *lang = av_dict_get(st->metadata, "language", NULL, 0);
  2904. avcodec_string(buf, sizeof(buf), st->codec, is_output);
  2905. av_log(NULL, AV_LOG_INFO, " Stream #%d.%d", index, i);
  2906. /* the pid is an important information, so we display it */
  2907. /* XXX: add a generic system */
  2908. if (flags & AVFMT_SHOW_IDS)
  2909. av_log(NULL, AV_LOG_INFO, "[0x%x]", st->id);
  2910. if (lang)
  2911. av_log(NULL, AV_LOG_INFO, "(%s)", lang->value);
  2912. av_log(NULL, AV_LOG_DEBUG, ", %d, %d/%d", st->codec_info_nb_frames, st->time_base.num/g, st->time_base.den/g);
  2913. av_log(NULL, AV_LOG_INFO, ": %s", buf);
  2914. if (st->sample_aspect_ratio.num && // default
  2915. av_cmp_q(st->sample_aspect_ratio, st->codec->sample_aspect_ratio)) {
  2916. AVRational display_aspect_ratio;
  2917. av_reduce(&display_aspect_ratio.num, &display_aspect_ratio.den,
  2918. st->codec->width*st->sample_aspect_ratio.num,
  2919. st->codec->height*st->sample_aspect_ratio.den,
  2920. 1024*1024);
  2921. av_log(NULL, AV_LOG_INFO, ", PAR %d:%d DAR %d:%d",
  2922. st->sample_aspect_ratio.num, st->sample_aspect_ratio.den,
  2923. display_aspect_ratio.num, display_aspect_ratio.den);
  2924. }
  2925. if(st->codec->codec_type == AVMEDIA_TYPE_VIDEO){
  2926. if(st->avg_frame_rate.den && st->avg_frame_rate.num)
  2927. print_fps(av_q2d(st->avg_frame_rate), "fps");
  2928. #if FF_API_R_FRAME_RATE
  2929. if(st->r_frame_rate.den && st->r_frame_rate.num)
  2930. print_fps(av_q2d(st->r_frame_rate), "tbr");
  2931. #endif
  2932. if(st->time_base.den && st->time_base.num)
  2933. print_fps(1/av_q2d(st->time_base), "tbn");
  2934. if(st->codec->time_base.den && st->codec->time_base.num)
  2935. print_fps(1/av_q2d(st->codec->time_base), "tbc");
  2936. }
  2937. if (st->disposition & AV_DISPOSITION_DEFAULT)
  2938. av_log(NULL, AV_LOG_INFO, " (default)");
  2939. if (st->disposition & AV_DISPOSITION_DUB)
  2940. av_log(NULL, AV_LOG_INFO, " (dub)");
  2941. if (st->disposition & AV_DISPOSITION_ORIGINAL)
  2942. av_log(NULL, AV_LOG_INFO, " (original)");
  2943. if (st->disposition & AV_DISPOSITION_COMMENT)
  2944. av_log(NULL, AV_LOG_INFO, " (comment)");
  2945. if (st->disposition & AV_DISPOSITION_LYRICS)
  2946. av_log(NULL, AV_LOG_INFO, " (lyrics)");
  2947. if (st->disposition & AV_DISPOSITION_KARAOKE)
  2948. av_log(NULL, AV_LOG_INFO, " (karaoke)");
  2949. if (st->disposition & AV_DISPOSITION_FORCED)
  2950. av_log(NULL, AV_LOG_INFO, " (forced)");
  2951. if (st->disposition & AV_DISPOSITION_HEARING_IMPAIRED)
  2952. av_log(NULL, AV_LOG_INFO, " (hearing impaired)");
  2953. if (st->disposition & AV_DISPOSITION_VISUAL_IMPAIRED)
  2954. av_log(NULL, AV_LOG_INFO, " (visual impaired)");
  2955. if (st->disposition & AV_DISPOSITION_CLEAN_EFFECTS)
  2956. av_log(NULL, AV_LOG_INFO, " (clean effects)");
  2957. av_log(NULL, AV_LOG_INFO, "\n");
  2958. dump_metadata(NULL, st->metadata, " ");
  2959. }
  2960. void av_dump_format(AVFormatContext *ic,
  2961. int index,
  2962. const char *url,
  2963. int is_output)
  2964. {
  2965. int i;
  2966. uint8_t *printed = ic->nb_streams ? av_mallocz(ic->nb_streams) : NULL;
  2967. if (ic->nb_streams && !printed)
  2968. return;
  2969. av_log(NULL, AV_LOG_INFO, "%s #%d, %s, %s '%s':\n",
  2970. is_output ? "Output" : "Input",
  2971. index,
  2972. is_output ? ic->oformat->name : ic->iformat->name,
  2973. is_output ? "to" : "from", url);
  2974. dump_metadata(NULL, ic->metadata, " ");
  2975. if (!is_output) {
  2976. av_log(NULL, AV_LOG_INFO, " Duration: ");
  2977. if (ic->duration != AV_NOPTS_VALUE) {
  2978. int hours, mins, secs, us;
  2979. secs = ic->duration / AV_TIME_BASE;
  2980. us = ic->duration % AV_TIME_BASE;
  2981. mins = secs / 60;
  2982. secs %= 60;
  2983. hours = mins / 60;
  2984. mins %= 60;
  2985. av_log(NULL, AV_LOG_INFO, "%02d:%02d:%02d.%02d", hours, mins, secs,
  2986. (100 * us) / AV_TIME_BASE);
  2987. } else {
  2988. av_log(NULL, AV_LOG_INFO, "N/A");
  2989. }
  2990. if (ic->start_time != AV_NOPTS_VALUE) {
  2991. int secs, us;
  2992. av_log(NULL, AV_LOG_INFO, ", start: ");
  2993. secs = ic->start_time / AV_TIME_BASE;
  2994. us = abs(ic->start_time % AV_TIME_BASE);
  2995. av_log(NULL, AV_LOG_INFO, "%d.%06d",
  2996. secs, (int)av_rescale(us, 1000000, AV_TIME_BASE));
  2997. }
  2998. av_log(NULL, AV_LOG_INFO, ", bitrate: ");
  2999. if (ic->bit_rate) {
  3000. av_log(NULL, AV_LOG_INFO,"%d kb/s", ic->bit_rate / 1000);
  3001. } else {
  3002. av_log(NULL, AV_LOG_INFO, "N/A");
  3003. }
  3004. av_log(NULL, AV_LOG_INFO, "\n");
  3005. }
  3006. for (i = 0; i < ic->nb_chapters; i++) {
  3007. AVChapter *ch = ic->chapters[i];
  3008. av_log(NULL, AV_LOG_INFO, " Chapter #%d.%d: ", index, i);
  3009. av_log(NULL, AV_LOG_INFO, "start %f, ", ch->start * av_q2d(ch->time_base));
  3010. av_log(NULL, AV_LOG_INFO, "end %f\n", ch->end * av_q2d(ch->time_base));
  3011. dump_metadata(NULL, ch->metadata, " ");
  3012. }
  3013. if(ic->nb_programs) {
  3014. int j, k, total = 0;
  3015. for(j=0; j<ic->nb_programs; j++) {
  3016. AVDictionaryEntry *name = av_dict_get(ic->programs[j]->metadata,
  3017. "name", NULL, 0);
  3018. av_log(NULL, AV_LOG_INFO, " Program %d %s\n", ic->programs[j]->id,
  3019. name ? name->value : "");
  3020. dump_metadata(NULL, ic->programs[j]->metadata, " ");
  3021. for(k=0; k<ic->programs[j]->nb_stream_indexes; k++) {
  3022. dump_stream_format(ic, ic->programs[j]->stream_index[k], index, is_output);
  3023. printed[ic->programs[j]->stream_index[k]] = 1;
  3024. }
  3025. total += ic->programs[j]->nb_stream_indexes;
  3026. }
  3027. if (total < ic->nb_streams)
  3028. av_log(NULL, AV_LOG_INFO, " No Program\n");
  3029. }
  3030. for(i=0;i<ic->nb_streams;i++)
  3031. if (!printed[i])
  3032. dump_stream_format(ic, i, index, is_output);
  3033. av_free(printed);
  3034. }
  3035. #if FF_API_AV_GETTIME && CONFIG_SHARED && HAVE_SYMVER
  3036. FF_SYMVER(int64_t, av_gettime, (void), "LIBAVFORMAT_54")
  3037. {
  3038. return av_gettime();
  3039. }
  3040. #endif
  3041. uint64_t ff_ntp_time(void)
  3042. {
  3043. return (av_gettime() / 1000) * 1000 + NTP_OFFSET_US;
  3044. }
  3045. int av_get_frame_filename(char *buf, int buf_size,
  3046. const char *path, int number)
  3047. {
  3048. const char *p;
  3049. char *q, buf1[20], c;
  3050. int nd, len, percentd_found;
  3051. q = buf;
  3052. p = path;
  3053. percentd_found = 0;
  3054. for(;;) {
  3055. c = *p++;
  3056. if (c == '\0')
  3057. break;
  3058. if (c == '%') {
  3059. do {
  3060. nd = 0;
  3061. while (isdigit(*p)) {
  3062. nd = nd * 10 + *p++ - '0';
  3063. }
  3064. c = *p++;
  3065. } while (isdigit(c));
  3066. switch(c) {
  3067. case '%':
  3068. goto addchar;
  3069. case 'd':
  3070. if (percentd_found)
  3071. goto fail;
  3072. percentd_found = 1;
  3073. snprintf(buf1, sizeof(buf1), "%0*d", nd, number);
  3074. len = strlen(buf1);
  3075. if ((q - buf + len) > buf_size - 1)
  3076. goto fail;
  3077. memcpy(q, buf1, len);
  3078. q += len;
  3079. break;
  3080. default:
  3081. goto fail;
  3082. }
  3083. } else {
  3084. addchar:
  3085. if ((q - buf) < buf_size - 1)
  3086. *q++ = c;
  3087. }
  3088. }
  3089. if (!percentd_found)
  3090. goto fail;
  3091. *q = '\0';
  3092. return 0;
  3093. fail:
  3094. *q = '\0';
  3095. return -1;
  3096. }
  3097. static void hex_dump_internal(void *avcl, FILE *f, int level, uint8_t *buf, int size)
  3098. {
  3099. int len, i, j, c;
  3100. #undef fprintf
  3101. #define PRINT(...) do { if (!f) av_log(avcl, level, __VA_ARGS__); else fprintf(f, __VA_ARGS__); } while(0)
  3102. for(i=0;i<size;i+=16) {
  3103. len = size - i;
  3104. if (len > 16)
  3105. len = 16;
  3106. PRINT("%08x ", i);
  3107. for(j=0;j<16;j++) {
  3108. if (j < len)
  3109. PRINT(" %02x", buf[i+j]);
  3110. else
  3111. PRINT(" ");
  3112. }
  3113. PRINT(" ");
  3114. for(j=0;j<len;j++) {
  3115. c = buf[i+j];
  3116. if (c < ' ' || c > '~')
  3117. c = '.';
  3118. PRINT("%c", c);
  3119. }
  3120. PRINT("\n");
  3121. }
  3122. #undef PRINT
  3123. }
  3124. void av_hex_dump(FILE *f, uint8_t *buf, int size)
  3125. {
  3126. hex_dump_internal(NULL, f, 0, buf, size);
  3127. }
  3128. void av_hex_dump_log(void *avcl, int level, uint8_t *buf, int size)
  3129. {
  3130. hex_dump_internal(avcl, NULL, level, buf, size);
  3131. }
  3132. static void pkt_dump_internal(void *avcl, FILE *f, int level, AVPacket *pkt, int dump_payload, AVRational time_base)
  3133. {
  3134. #undef fprintf
  3135. #define PRINT(...) do { if (!f) av_log(avcl, level, __VA_ARGS__); else fprintf(f, __VA_ARGS__); } while(0)
  3136. PRINT("stream #%d:\n", pkt->stream_index);
  3137. PRINT(" keyframe=%d\n", ((pkt->flags & AV_PKT_FLAG_KEY) != 0));
  3138. PRINT(" duration=%0.3f\n", pkt->duration * av_q2d(time_base));
  3139. /* DTS is _always_ valid after av_read_frame() */
  3140. PRINT(" dts=");
  3141. if (pkt->dts == AV_NOPTS_VALUE)
  3142. PRINT("N/A");
  3143. else
  3144. PRINT("%0.3f", pkt->dts * av_q2d(time_base));
  3145. /* PTS may not be known if B-frames are present. */
  3146. PRINT(" pts=");
  3147. if (pkt->pts == AV_NOPTS_VALUE)
  3148. PRINT("N/A");
  3149. else
  3150. PRINT("%0.3f", pkt->pts * av_q2d(time_base));
  3151. PRINT("\n");
  3152. PRINT(" size=%d\n", pkt->size);
  3153. #undef PRINT
  3154. if (dump_payload)
  3155. av_hex_dump(f, pkt->data, pkt->size);
  3156. }
  3157. void av_pkt_dump2(FILE *f, AVPacket *pkt, int dump_payload, AVStream *st)
  3158. {
  3159. pkt_dump_internal(NULL, f, 0, pkt, dump_payload, st->time_base);
  3160. }
  3161. void av_pkt_dump_log2(void *avcl, int level, AVPacket *pkt, int dump_payload,
  3162. AVStream *st)
  3163. {
  3164. pkt_dump_internal(avcl, NULL, level, pkt, dump_payload, st->time_base);
  3165. }
  3166. void av_url_split(char *proto, int proto_size,
  3167. char *authorization, int authorization_size,
  3168. char *hostname, int hostname_size,
  3169. int *port_ptr,
  3170. char *path, int path_size,
  3171. const char *url)
  3172. {
  3173. const char *p, *ls, *at, *col, *brk;
  3174. if (port_ptr) *port_ptr = -1;
  3175. if (proto_size > 0) proto[0] = 0;
  3176. if (authorization_size > 0) authorization[0] = 0;
  3177. if (hostname_size > 0) hostname[0] = 0;
  3178. if (path_size > 0) path[0] = 0;
  3179. /* parse protocol */
  3180. if ((p = strchr(url, ':'))) {
  3181. av_strlcpy(proto, url, FFMIN(proto_size, p + 1 - url));
  3182. p++; /* skip ':' */
  3183. if (*p == '/') p++;
  3184. if (*p == '/') p++;
  3185. } else {
  3186. /* no protocol means plain filename */
  3187. av_strlcpy(path, url, path_size);
  3188. return;
  3189. }
  3190. /* separate path from hostname */
  3191. ls = strchr(p, '/');
  3192. if(!ls)
  3193. ls = strchr(p, '?');
  3194. if(ls)
  3195. av_strlcpy(path, ls, path_size);
  3196. else
  3197. ls = &p[strlen(p)]; // XXX
  3198. /* the rest is hostname, use that to parse auth/port */
  3199. if (ls != p) {
  3200. /* authorization (user[:pass]@hostname) */
  3201. if ((at = strchr(p, '@')) && at < ls) {
  3202. av_strlcpy(authorization, p,
  3203. FFMIN(authorization_size, at + 1 - p));
  3204. p = at + 1; /* skip '@' */
  3205. }
  3206. if (*p == '[' && (brk = strchr(p, ']')) && brk < ls) {
  3207. /* [host]:port */
  3208. av_strlcpy(hostname, p + 1,
  3209. FFMIN(hostname_size, brk - p));
  3210. if (brk[1] == ':' && port_ptr)
  3211. *port_ptr = atoi(brk + 2);
  3212. } else if ((col = strchr(p, ':')) && col < ls) {
  3213. av_strlcpy(hostname, p,
  3214. FFMIN(col + 1 - p, hostname_size));
  3215. if (port_ptr) *port_ptr = atoi(col + 1);
  3216. } else
  3217. av_strlcpy(hostname, p,
  3218. FFMIN(ls + 1 - p, hostname_size));
  3219. }
  3220. }
  3221. char *ff_data_to_hex(char *buff, const uint8_t *src, int s, int lowercase)
  3222. {
  3223. int i;
  3224. static const char hex_table_uc[16] = { '0', '1', '2', '3',
  3225. '4', '5', '6', '7',
  3226. '8', '9', 'A', 'B',
  3227. 'C', 'D', 'E', 'F' };
  3228. static const char hex_table_lc[16] = { '0', '1', '2', '3',
  3229. '4', '5', '6', '7',
  3230. '8', '9', 'a', 'b',
  3231. 'c', 'd', 'e', 'f' };
  3232. const char *hex_table = lowercase ? hex_table_lc : hex_table_uc;
  3233. for(i = 0; i < s; i++) {
  3234. buff[i * 2] = hex_table[src[i] >> 4];
  3235. buff[i * 2 + 1] = hex_table[src[i] & 0xF];
  3236. }
  3237. return buff;
  3238. }
  3239. int ff_hex_to_data(uint8_t *data, const char *p)
  3240. {
  3241. int c, len, v;
  3242. len = 0;
  3243. v = 1;
  3244. for (;;) {
  3245. p += strspn(p, SPACE_CHARS);
  3246. if (*p == '\0')
  3247. break;
  3248. c = toupper((unsigned char) *p++);
  3249. if (c >= '0' && c <= '9')
  3250. c = c - '0';
  3251. else if (c >= 'A' && c <= 'F')
  3252. c = c - 'A' + 10;
  3253. else
  3254. break;
  3255. v = (v << 4) | c;
  3256. if (v & 0x100) {
  3257. if (data)
  3258. data[len] = v;
  3259. len++;
  3260. v = 1;
  3261. }
  3262. }
  3263. return len;
  3264. }
  3265. void avpriv_set_pts_info(AVStream *s, int pts_wrap_bits,
  3266. unsigned int pts_num, unsigned int pts_den)
  3267. {
  3268. AVRational new_tb;
  3269. if(av_reduce(&new_tb.num, &new_tb.den, pts_num, pts_den, INT_MAX)){
  3270. if(new_tb.num != pts_num)
  3271. av_log(NULL, AV_LOG_DEBUG, "st:%d removing common factor %d from timebase\n", s->index, pts_num/new_tb.num);
  3272. }else
  3273. av_log(NULL, AV_LOG_WARNING, "st:%d has too large timebase, reducing\n", s->index);
  3274. if(new_tb.num <= 0 || new_tb.den <= 0) {
  3275. av_log(NULL, AV_LOG_ERROR, "Ignoring attempt to set invalid timebase for st:%d\n", s->index);
  3276. return;
  3277. }
  3278. s->time_base = new_tb;
  3279. s->pts_wrap_bits = pts_wrap_bits;
  3280. }
  3281. int ff_url_join(char *str, int size, const char *proto,
  3282. const char *authorization, const char *hostname,
  3283. int port, const char *fmt, ...)
  3284. {
  3285. #if CONFIG_NETWORK
  3286. struct addrinfo hints = { 0 }, *ai;
  3287. #endif
  3288. str[0] = '\0';
  3289. if (proto)
  3290. av_strlcatf(str, size, "%s://", proto);
  3291. if (authorization && authorization[0])
  3292. av_strlcatf(str, size, "%s@", authorization);
  3293. #if CONFIG_NETWORK && defined(AF_INET6)
  3294. /* Determine if hostname is a numerical IPv6 address,
  3295. * properly escape it within [] in that case. */
  3296. hints.ai_flags = AI_NUMERICHOST;
  3297. if (!getaddrinfo(hostname, NULL, &hints, &ai)) {
  3298. if (ai->ai_family == AF_INET6) {
  3299. av_strlcat(str, "[", size);
  3300. av_strlcat(str, hostname, size);
  3301. av_strlcat(str, "]", size);
  3302. } else {
  3303. av_strlcat(str, hostname, size);
  3304. }
  3305. freeaddrinfo(ai);
  3306. } else
  3307. #endif
  3308. /* Not an IPv6 address, just output the plain string. */
  3309. av_strlcat(str, hostname, size);
  3310. if (port >= 0)
  3311. av_strlcatf(str, size, ":%d", port);
  3312. if (fmt) {
  3313. va_list vl;
  3314. int len = strlen(str);
  3315. va_start(vl, fmt);
  3316. vsnprintf(str + len, size > len ? size - len : 0, fmt, vl);
  3317. va_end(vl);
  3318. }
  3319. return strlen(str);
  3320. }
  3321. int ff_write_chained(AVFormatContext *dst, int dst_stream, AVPacket *pkt,
  3322. AVFormatContext *src)
  3323. {
  3324. AVPacket local_pkt;
  3325. local_pkt = *pkt;
  3326. local_pkt.stream_index = dst_stream;
  3327. if (pkt->pts != AV_NOPTS_VALUE)
  3328. local_pkt.pts = av_rescale_q(pkt->pts,
  3329. src->streams[pkt->stream_index]->time_base,
  3330. dst->streams[dst_stream]->time_base);
  3331. if (pkt->dts != AV_NOPTS_VALUE)
  3332. local_pkt.dts = av_rescale_q(pkt->dts,
  3333. src->streams[pkt->stream_index]->time_base,
  3334. dst->streams[dst_stream]->time_base);
  3335. return av_write_frame(dst, &local_pkt);
  3336. }
  3337. void ff_parse_key_value(const char *str, ff_parse_key_val_cb callback_get_buf,
  3338. void *context)
  3339. {
  3340. const char *ptr = str;
  3341. /* Parse key=value pairs. */
  3342. for (;;) {
  3343. const char *key;
  3344. char *dest = NULL, *dest_end;
  3345. int key_len, dest_len = 0;
  3346. /* Skip whitespace and potential commas. */
  3347. while (*ptr && (isspace(*ptr) || *ptr == ','))
  3348. ptr++;
  3349. if (!*ptr)
  3350. break;
  3351. key = ptr;
  3352. if (!(ptr = strchr(key, '=')))
  3353. break;
  3354. ptr++;
  3355. key_len = ptr - key;
  3356. callback_get_buf(context, key, key_len, &dest, &dest_len);
  3357. dest_end = dest + dest_len - 1;
  3358. if (*ptr == '\"') {
  3359. ptr++;
  3360. while (*ptr && *ptr != '\"') {
  3361. if (*ptr == '\\') {
  3362. if (!ptr[1])
  3363. break;
  3364. if (dest && dest < dest_end)
  3365. *dest++ = ptr[1];
  3366. ptr += 2;
  3367. } else {
  3368. if (dest && dest < dest_end)
  3369. *dest++ = *ptr;
  3370. ptr++;
  3371. }
  3372. }
  3373. if (*ptr == '\"')
  3374. ptr++;
  3375. } else {
  3376. for (; *ptr && !(isspace(*ptr) || *ptr == ','); ptr++)
  3377. if (dest && dest < dest_end)
  3378. *dest++ = *ptr;
  3379. }
  3380. if (dest)
  3381. *dest = 0;
  3382. }
  3383. }
  3384. int ff_find_stream_index(AVFormatContext *s, int id)
  3385. {
  3386. int i;
  3387. for (i = 0; i < s->nb_streams; i++) {
  3388. if (s->streams[i]->id == id)
  3389. return i;
  3390. }
  3391. return -1;
  3392. }
  3393. void ff_make_absolute_url(char *buf, int size, const char *base,
  3394. const char *rel)
  3395. {
  3396. char *sep;
  3397. /* Absolute path, relative to the current server */
  3398. if (base && strstr(base, "://") && rel[0] == '/') {
  3399. if (base != buf)
  3400. av_strlcpy(buf, base, size);
  3401. sep = strstr(buf, "://");
  3402. if (sep) {
  3403. sep += 3;
  3404. sep = strchr(sep, '/');
  3405. if (sep)
  3406. *sep = '\0';
  3407. }
  3408. av_strlcat(buf, rel, size);
  3409. return;
  3410. }
  3411. /* If rel actually is an absolute url, just copy it */
  3412. if (!base || strstr(rel, "://") || rel[0] == '/') {
  3413. av_strlcpy(buf, rel, size);
  3414. return;
  3415. }
  3416. if (base != buf)
  3417. av_strlcpy(buf, base, size);
  3418. /* Remove the file name from the base url */
  3419. sep = strrchr(buf, '/');
  3420. if (sep)
  3421. sep[1] = '\0';
  3422. else
  3423. buf[0] = '\0';
  3424. while (av_strstart(rel, "../", NULL) && sep) {
  3425. /* Remove the path delimiter at the end */
  3426. sep[0] = '\0';
  3427. sep = strrchr(buf, '/');
  3428. /* If the next directory name to pop off is "..", break here */
  3429. if (!strcmp(sep ? &sep[1] : buf, "..")) {
  3430. /* Readd the slash we just removed */
  3431. av_strlcat(buf, "/", size);
  3432. break;
  3433. }
  3434. /* Cut off the directory name */
  3435. if (sep)
  3436. sep[1] = '\0';
  3437. else
  3438. buf[0] = '\0';
  3439. rel += 3;
  3440. }
  3441. av_strlcat(buf, rel, size);
  3442. }
  3443. int64_t ff_iso8601_to_unix_time(const char *datestr)
  3444. {
  3445. #if HAVE_STRPTIME
  3446. struct tm time1 = {0}, time2 = {0};
  3447. char *ret1, *ret2;
  3448. ret1 = strptime(datestr, "%Y - %m - %d %T", &time1);
  3449. ret2 = strptime(datestr, "%Y - %m - %dT%T", &time2);
  3450. if (ret2 && !ret1)
  3451. return av_timegm(&time2);
  3452. else
  3453. return av_timegm(&time1);
  3454. #else
  3455. av_log(NULL, AV_LOG_WARNING, "strptime() unavailable on this system, cannot convert "
  3456. "the date string.\n");
  3457. return 0;
  3458. #endif
  3459. }
  3460. int avformat_query_codec(AVOutputFormat *ofmt, enum AVCodecID codec_id, int std_compliance)
  3461. {
  3462. if (ofmt) {
  3463. if (ofmt->query_codec)
  3464. return ofmt->query_codec(codec_id, std_compliance);
  3465. else if (ofmt->codec_tag)
  3466. return !!av_codec_get_tag(ofmt->codec_tag, codec_id);
  3467. else if (codec_id == ofmt->video_codec || codec_id == ofmt->audio_codec ||
  3468. codec_id == ofmt->subtitle_codec)
  3469. return 1;
  3470. }
  3471. return AVERROR_PATCHWELCOME;
  3472. }
  3473. int avformat_network_init(void)
  3474. {
  3475. #if CONFIG_NETWORK
  3476. int ret;
  3477. ff_network_inited_globally = 1;
  3478. if ((ret = ff_network_init()) < 0)
  3479. return ret;
  3480. ff_tls_init();
  3481. #endif
  3482. return 0;
  3483. }
  3484. int avformat_network_deinit(void)
  3485. {
  3486. #if CONFIG_NETWORK
  3487. ff_network_close();
  3488. ff_tls_deinit();
  3489. #endif
  3490. return 0;
  3491. }
  3492. int ff_add_param_change(AVPacket *pkt, int32_t channels,
  3493. uint64_t channel_layout, int32_t sample_rate,
  3494. int32_t width, int32_t height)
  3495. {
  3496. uint32_t flags = 0;
  3497. int size = 4;
  3498. uint8_t *data;
  3499. if (!pkt)
  3500. return AVERROR(EINVAL);
  3501. if (channels) {
  3502. size += 4;
  3503. flags |= AV_SIDE_DATA_PARAM_CHANGE_CHANNEL_COUNT;
  3504. }
  3505. if (channel_layout) {
  3506. size += 8;
  3507. flags |= AV_SIDE_DATA_PARAM_CHANGE_CHANNEL_LAYOUT;
  3508. }
  3509. if (sample_rate) {
  3510. size += 4;
  3511. flags |= AV_SIDE_DATA_PARAM_CHANGE_SAMPLE_RATE;
  3512. }
  3513. if (width || height) {
  3514. size += 8;
  3515. flags |= AV_SIDE_DATA_PARAM_CHANGE_DIMENSIONS;
  3516. }
  3517. data = av_packet_new_side_data(pkt, AV_PKT_DATA_PARAM_CHANGE, size);
  3518. if (!data)
  3519. return AVERROR(ENOMEM);
  3520. bytestream_put_le32(&data, flags);
  3521. if (channels)
  3522. bytestream_put_le32(&data, channels);
  3523. if (channel_layout)
  3524. bytestream_put_le64(&data, channel_layout);
  3525. if (sample_rate)
  3526. bytestream_put_le32(&data, sample_rate);
  3527. if (width || height) {
  3528. bytestream_put_le32(&data, width);
  3529. bytestream_put_le32(&data, height);
  3530. }
  3531. return 0;
  3532. }
  3533. const struct AVCodecTag *avformat_get_riff_video_tags(void)
  3534. {
  3535. return ff_codec_bmp_tags;
  3536. }
  3537. const struct AVCodecTag *avformat_get_riff_audio_tags(void)
  3538. {
  3539. return ff_codec_wav_tags;
  3540. }