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.

3203 lines
97KB

  1. /*
  2. * various utility functions for use within FFmpeg
  3. * Copyright (c) 2000, 2001, 2002 Fabrice Bellard
  4. *
  5. * This file is part of FFmpeg.
  6. *
  7. * FFmpeg 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. * FFmpeg 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 FFmpeg; if not, write to the Free Software
  19. * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
  20. */
  21. #include "avformat.h"
  22. #include "internal.h"
  23. #include "libavcodec/opt.h"
  24. #include "metadata.h"
  25. #include "libavutil/avstring.h"
  26. #include "riff.h"
  27. #include <sys/time.h>
  28. #include <time.h>
  29. #include <strings.h>
  30. #undef NDEBUG
  31. #include <assert.h>
  32. /**
  33. * @file libavformat/utils.c
  34. * various utility functions for use within FFmpeg
  35. */
  36. unsigned avformat_version(void)
  37. {
  38. return LIBAVFORMAT_VERSION_INT;
  39. }
  40. /* fraction handling */
  41. /**
  42. * f = val + (num / den) + 0.5.
  43. *
  44. * 'num' is normalized so that it is such as 0 <= num < den.
  45. *
  46. * @param f fractional number
  47. * @param val integer value
  48. * @param num must be >= 0
  49. * @param den must be >= 1
  50. */
  51. static void av_frac_init(AVFrac *f, int64_t val, int64_t num, int64_t den)
  52. {
  53. num += (den >> 1);
  54. if (num >= den) {
  55. val += num / den;
  56. num = num % den;
  57. }
  58. f->val = val;
  59. f->num = num;
  60. f->den = den;
  61. }
  62. /**
  63. * Fractional addition to f: f = f + (incr / f->den).
  64. *
  65. * @param f fractional number
  66. * @param incr increment, can be positive or negative
  67. */
  68. static void av_frac_add(AVFrac *f, int64_t incr)
  69. {
  70. int64_t num, den;
  71. num = f->num + incr;
  72. den = f->den;
  73. if (num < 0) {
  74. f->val += num / den;
  75. num = num % den;
  76. if (num < 0) {
  77. num += den;
  78. f->val--;
  79. }
  80. } else if (num >= den) {
  81. f->val += num / den;
  82. num = num % den;
  83. }
  84. f->num = num;
  85. }
  86. /** head of registered input format linked list */
  87. AVInputFormat *first_iformat = NULL;
  88. /** head of registered output format linked list */
  89. AVOutputFormat *first_oformat = NULL;
  90. AVInputFormat *av_iformat_next(AVInputFormat *f)
  91. {
  92. if(f) return f->next;
  93. else return first_iformat;
  94. }
  95. AVOutputFormat *av_oformat_next(AVOutputFormat *f)
  96. {
  97. if(f) return f->next;
  98. else return first_oformat;
  99. }
  100. void av_register_input_format(AVInputFormat *format)
  101. {
  102. AVInputFormat **p;
  103. p = &first_iformat;
  104. while (*p != NULL) p = &(*p)->next;
  105. *p = format;
  106. format->next = NULL;
  107. }
  108. void av_register_output_format(AVOutputFormat *format)
  109. {
  110. AVOutputFormat **p;
  111. p = &first_oformat;
  112. while (*p != NULL) p = &(*p)->next;
  113. *p = format;
  114. format->next = NULL;
  115. }
  116. int match_ext(const char *filename, const char *extensions)
  117. {
  118. const char *ext, *p;
  119. char ext1[32], *q;
  120. if(!filename)
  121. return 0;
  122. ext = strrchr(filename, '.');
  123. if (ext) {
  124. ext++;
  125. p = extensions;
  126. for(;;) {
  127. q = ext1;
  128. while (*p != '\0' && *p != ',' && q-ext1<sizeof(ext1)-1)
  129. *q++ = *p++;
  130. *q = '\0';
  131. if (!strcasecmp(ext1, ext))
  132. return 1;
  133. if (*p == '\0')
  134. break;
  135. p++;
  136. }
  137. }
  138. return 0;
  139. }
  140. AVOutputFormat *guess_format(const char *short_name, const char *filename,
  141. const char *mime_type)
  142. {
  143. AVOutputFormat *fmt, *fmt_found;
  144. int score_max, score;
  145. /* specific test for image sequences */
  146. #if CONFIG_IMAGE2_MUXER
  147. if (!short_name && filename &&
  148. av_filename_number_test(filename) &&
  149. av_guess_image2_codec(filename) != CODEC_ID_NONE) {
  150. return guess_format("image2", NULL, NULL);
  151. }
  152. #endif
  153. /* Find the proper file type. */
  154. fmt_found = NULL;
  155. score_max = 0;
  156. fmt = first_oformat;
  157. while (fmt != NULL) {
  158. score = 0;
  159. if (fmt->name && short_name && !strcmp(fmt->name, short_name))
  160. score += 100;
  161. if (fmt->mime_type && mime_type && !strcmp(fmt->mime_type, mime_type))
  162. score += 10;
  163. if (filename && fmt->extensions &&
  164. match_ext(filename, fmt->extensions)) {
  165. score += 5;
  166. }
  167. if (score > score_max) {
  168. score_max = score;
  169. fmt_found = fmt;
  170. }
  171. fmt = fmt->next;
  172. }
  173. return fmt_found;
  174. }
  175. AVOutputFormat *guess_stream_format(const char *short_name, const char *filename,
  176. const char *mime_type)
  177. {
  178. AVOutputFormat *fmt = guess_format(short_name, filename, mime_type);
  179. if (fmt) {
  180. AVOutputFormat *stream_fmt;
  181. char stream_format_name[64];
  182. snprintf(stream_format_name, sizeof(stream_format_name), "%s_stream", fmt->name);
  183. stream_fmt = guess_format(stream_format_name, NULL, NULL);
  184. if (stream_fmt)
  185. fmt = stream_fmt;
  186. }
  187. return fmt;
  188. }
  189. enum CodecID av_guess_codec(AVOutputFormat *fmt, const char *short_name,
  190. const char *filename, const char *mime_type, enum CodecType type){
  191. if(type == CODEC_TYPE_VIDEO){
  192. enum CodecID codec_id= CODEC_ID_NONE;
  193. #if CONFIG_IMAGE2_MUXER
  194. if(!strcmp(fmt->name, "image2") || !strcmp(fmt->name, "image2pipe")){
  195. codec_id= av_guess_image2_codec(filename);
  196. }
  197. #endif
  198. if(codec_id == CODEC_ID_NONE)
  199. codec_id= fmt->video_codec;
  200. return codec_id;
  201. }else if(type == CODEC_TYPE_AUDIO)
  202. return fmt->audio_codec;
  203. else
  204. return CODEC_ID_NONE;
  205. }
  206. AVInputFormat *av_find_input_format(const char *short_name)
  207. {
  208. AVInputFormat *fmt;
  209. for(fmt = first_iformat; fmt != NULL; fmt = fmt->next) {
  210. if (!strcmp(fmt->name, short_name))
  211. return fmt;
  212. }
  213. return NULL;
  214. }
  215. /* memory handling */
  216. void av_destruct_packet(AVPacket *pkt)
  217. {
  218. av_free(pkt->data);
  219. pkt->data = NULL; pkt->size = 0;
  220. }
  221. void av_init_packet(AVPacket *pkt)
  222. {
  223. pkt->pts = AV_NOPTS_VALUE;
  224. pkt->dts = AV_NOPTS_VALUE;
  225. pkt->pos = -1;
  226. pkt->duration = 0;
  227. pkt->convergence_duration = 0;
  228. pkt->flags = 0;
  229. pkt->stream_index = 0;
  230. pkt->destruct= av_destruct_packet_nofree;
  231. }
  232. int av_new_packet(AVPacket *pkt, int size)
  233. {
  234. uint8_t *data;
  235. if((unsigned)size > (unsigned)size + FF_INPUT_BUFFER_PADDING_SIZE)
  236. return AVERROR(ENOMEM);
  237. data = av_malloc(size + FF_INPUT_BUFFER_PADDING_SIZE);
  238. if (!data)
  239. return AVERROR(ENOMEM);
  240. memset(data + size, 0, FF_INPUT_BUFFER_PADDING_SIZE);
  241. av_init_packet(pkt);
  242. pkt->data = data;
  243. pkt->size = size;
  244. pkt->destruct = av_destruct_packet;
  245. return 0;
  246. }
  247. int av_get_packet(ByteIOContext *s, AVPacket *pkt, int size)
  248. {
  249. int ret= av_new_packet(pkt, size);
  250. if(ret<0)
  251. return ret;
  252. pkt->pos= url_ftell(s);
  253. ret= get_buffer(s, pkt->data, size);
  254. if(ret<=0)
  255. av_free_packet(pkt);
  256. else
  257. pkt->size= ret;
  258. return ret;
  259. }
  260. int av_dup_packet(AVPacket *pkt)
  261. {
  262. if (((pkt->destruct == av_destruct_packet_nofree) || (pkt->destruct == NULL)) && pkt->data) {
  263. uint8_t *data;
  264. /* We duplicate the packet and don't forget to add the padding again. */
  265. if((unsigned)pkt->size > (unsigned)pkt->size + FF_INPUT_BUFFER_PADDING_SIZE)
  266. return AVERROR(ENOMEM);
  267. data = av_malloc(pkt->size + FF_INPUT_BUFFER_PADDING_SIZE);
  268. if (!data) {
  269. return AVERROR(ENOMEM);
  270. }
  271. memcpy(data, pkt->data, pkt->size);
  272. memset(data + pkt->size, 0, FF_INPUT_BUFFER_PADDING_SIZE);
  273. pkt->data = data;
  274. pkt->destruct = av_destruct_packet;
  275. }
  276. return 0;
  277. }
  278. int av_filename_number_test(const char *filename)
  279. {
  280. char buf[1024];
  281. return filename && (av_get_frame_filename(buf, sizeof(buf), filename, 1)>=0);
  282. }
  283. static AVInputFormat *av_probe_input_format2(AVProbeData *pd, int is_opened, int *score_max)
  284. {
  285. AVInputFormat *fmt1, *fmt;
  286. int score;
  287. fmt = NULL;
  288. for(fmt1 = first_iformat; fmt1 != NULL; fmt1 = fmt1->next) {
  289. if (!is_opened == !(fmt1->flags & AVFMT_NOFILE))
  290. continue;
  291. score = 0;
  292. if (fmt1->read_probe) {
  293. score = fmt1->read_probe(pd);
  294. } else if (fmt1->extensions) {
  295. if (match_ext(pd->filename, fmt1->extensions)) {
  296. score = 50;
  297. }
  298. }
  299. if (score > *score_max) {
  300. *score_max = score;
  301. fmt = fmt1;
  302. }else if (score == *score_max)
  303. fmt = NULL;
  304. }
  305. return fmt;
  306. }
  307. AVInputFormat *av_probe_input_format(AVProbeData *pd, int is_opened){
  308. int score=0;
  309. return av_probe_input_format2(pd, is_opened, &score);
  310. }
  311. static int set_codec_from_probe_data(AVStream *st, AVProbeData *pd, int score)
  312. {
  313. AVInputFormat *fmt;
  314. fmt = av_probe_input_format2(pd, 1, &score);
  315. if (fmt) {
  316. if (!strcmp(fmt->name, "mp3")) {
  317. st->codec->codec_id = CODEC_ID_MP3;
  318. st->codec->codec_type = CODEC_TYPE_AUDIO;
  319. } else if (!strcmp(fmt->name, "ac3")) {
  320. st->codec->codec_id = CODEC_ID_AC3;
  321. st->codec->codec_type = CODEC_TYPE_AUDIO;
  322. } else if (!strcmp(fmt->name, "mpegvideo")) {
  323. st->codec->codec_id = CODEC_ID_MPEG2VIDEO;
  324. st->codec->codec_type = CODEC_TYPE_VIDEO;
  325. } else if (!strcmp(fmt->name, "m4v")) {
  326. st->codec->codec_id = CODEC_ID_MPEG4;
  327. st->codec->codec_type = CODEC_TYPE_VIDEO;
  328. } else if (!strcmp(fmt->name, "h264")) {
  329. st->codec->codec_id = CODEC_ID_H264;
  330. st->codec->codec_type = CODEC_TYPE_VIDEO;
  331. }
  332. }
  333. return !!fmt;
  334. }
  335. /************************************************************/
  336. /* input media file */
  337. /**
  338. * Open a media file from an IO stream. 'fmt' must be specified.
  339. */
  340. int av_open_input_stream(AVFormatContext **ic_ptr,
  341. ByteIOContext *pb, const char *filename,
  342. AVInputFormat *fmt, AVFormatParameters *ap)
  343. {
  344. int err;
  345. AVFormatContext *ic;
  346. AVFormatParameters default_ap;
  347. if(!ap){
  348. ap=&default_ap;
  349. memset(ap, 0, sizeof(default_ap));
  350. }
  351. if(!ap->prealloced_context)
  352. ic = av_alloc_format_context();
  353. else
  354. ic = *ic_ptr;
  355. if (!ic) {
  356. err = AVERROR(ENOMEM);
  357. goto fail;
  358. }
  359. ic->iformat = fmt;
  360. ic->pb = pb;
  361. ic->duration = AV_NOPTS_VALUE;
  362. ic->start_time = AV_NOPTS_VALUE;
  363. av_strlcpy(ic->filename, filename, sizeof(ic->filename));
  364. /* allocate private data */
  365. if (fmt->priv_data_size > 0) {
  366. ic->priv_data = av_mallocz(fmt->priv_data_size);
  367. if (!ic->priv_data) {
  368. err = AVERROR(ENOMEM);
  369. goto fail;
  370. }
  371. } else {
  372. ic->priv_data = NULL;
  373. }
  374. if (ic->iformat->read_header) {
  375. err = ic->iformat->read_header(ic, ap);
  376. if (err < 0)
  377. goto fail;
  378. }
  379. if (pb && !ic->data_offset)
  380. ic->data_offset = url_ftell(ic->pb);
  381. #if LIBAVFORMAT_VERSION_MAJOR < 53
  382. ff_metadata_demux_compat(ic);
  383. #endif
  384. *ic_ptr = ic;
  385. return 0;
  386. fail:
  387. if (ic) {
  388. int i;
  389. av_freep(&ic->priv_data);
  390. for(i=0;i<ic->nb_streams;i++) {
  391. AVStream *st = ic->streams[i];
  392. if (st) {
  393. av_free(st->priv_data);
  394. av_free(st->codec->extradata);
  395. }
  396. av_free(st);
  397. }
  398. }
  399. av_free(ic);
  400. *ic_ptr = NULL;
  401. return err;
  402. }
  403. /** size of probe buffer, for guessing file type from file contents */
  404. #define PROBE_BUF_MIN 2048
  405. #define PROBE_BUF_MAX (1<<20)
  406. int av_open_input_file(AVFormatContext **ic_ptr, const char *filename,
  407. AVInputFormat *fmt,
  408. int buf_size,
  409. AVFormatParameters *ap)
  410. {
  411. int err, probe_size;
  412. AVProbeData probe_data, *pd = &probe_data;
  413. ByteIOContext *pb = NULL;
  414. pd->filename = "";
  415. if (filename)
  416. pd->filename = filename;
  417. pd->buf = NULL;
  418. pd->buf_size = 0;
  419. if (!fmt) {
  420. /* guess format if no file can be opened */
  421. fmt = av_probe_input_format(pd, 0);
  422. }
  423. /* Do not open file if the format does not need it. XXX: specific
  424. hack needed to handle RTSP/TCP */
  425. if (!fmt || !(fmt->flags & AVFMT_NOFILE)) {
  426. /* if no file needed do not try to open one */
  427. if ((err=url_fopen(&pb, filename, URL_RDONLY)) < 0) {
  428. goto fail;
  429. }
  430. if (buf_size > 0) {
  431. url_setbufsize(pb, buf_size);
  432. }
  433. for(probe_size= PROBE_BUF_MIN; probe_size<=PROBE_BUF_MAX && !fmt; probe_size<<=1){
  434. int score= probe_size < PROBE_BUF_MAX ? AVPROBE_SCORE_MAX/4 : 0;
  435. /* read probe data */
  436. pd->buf= av_realloc(pd->buf, probe_size + AVPROBE_PADDING_SIZE);
  437. pd->buf_size = get_buffer(pb, pd->buf, probe_size);
  438. memset(pd->buf+pd->buf_size, 0, AVPROBE_PADDING_SIZE);
  439. if (url_fseek(pb, 0, SEEK_SET) < 0) {
  440. url_fclose(pb);
  441. if (url_fopen(&pb, filename, URL_RDONLY) < 0) {
  442. pb = NULL;
  443. err = AVERROR(EIO);
  444. goto fail;
  445. }
  446. }
  447. /* guess file format */
  448. fmt = av_probe_input_format2(pd, 1, &score);
  449. }
  450. av_freep(&pd->buf);
  451. }
  452. /* if still no format found, error */
  453. if (!fmt) {
  454. err = AVERROR_NOFMT;
  455. goto fail;
  456. }
  457. /* check filename in case an image number is expected */
  458. if (fmt->flags & AVFMT_NEEDNUMBER) {
  459. if (!av_filename_number_test(filename)) {
  460. err = AVERROR_NUMEXPECTED;
  461. goto fail;
  462. }
  463. }
  464. err = av_open_input_stream(ic_ptr, pb, filename, fmt, ap);
  465. if (err)
  466. goto fail;
  467. return 0;
  468. fail:
  469. av_freep(&pd->buf);
  470. if (pb)
  471. url_fclose(pb);
  472. *ic_ptr = NULL;
  473. return err;
  474. }
  475. /*******************************************************/
  476. static AVPacket *add_to_pktbuf(AVPacketList **packet_buffer, AVPacket *pkt,
  477. AVPacketList **plast_pktl){
  478. AVPacketList *pktl = av_mallocz(sizeof(AVPacketList));
  479. if (!pktl)
  480. return NULL;
  481. if (*packet_buffer)
  482. (*plast_pktl)->next = pktl;
  483. else
  484. *packet_buffer = pktl;
  485. /* add the packet in the buffered packet list */
  486. *plast_pktl = pktl;
  487. pktl->pkt= *pkt;
  488. return &pktl->pkt;
  489. }
  490. int av_read_packet(AVFormatContext *s, AVPacket *pkt)
  491. {
  492. int ret;
  493. AVStream *st;
  494. for(;;){
  495. AVPacketList *pktl = s->raw_packet_buffer;
  496. if (pktl) {
  497. *pkt = pktl->pkt;
  498. if(s->streams[pkt->stream_index]->codec->codec_id != CODEC_ID_PROBE){
  499. s->raw_packet_buffer = pktl->next;
  500. av_free(pktl);
  501. return 0;
  502. }
  503. }
  504. av_init_packet(pkt);
  505. ret= s->iformat->read_packet(s, pkt);
  506. if (ret < 0)
  507. return ret;
  508. st= s->streams[pkt->stream_index];
  509. switch(st->codec->codec_type){
  510. case CODEC_TYPE_VIDEO:
  511. if(s->video_codec_id) st->codec->codec_id= s->video_codec_id;
  512. break;
  513. case CODEC_TYPE_AUDIO:
  514. if(s->audio_codec_id) st->codec->codec_id= s->audio_codec_id;
  515. break;
  516. case CODEC_TYPE_SUBTITLE:
  517. if(s->subtitle_codec_id)st->codec->codec_id= s->subtitle_codec_id;
  518. break;
  519. }
  520. if(!pktl && st->codec->codec_id!=CODEC_ID_PROBE)
  521. return ret;
  522. add_to_pktbuf(&s->raw_packet_buffer, pkt, &s->raw_packet_buffer_end);
  523. if(st->codec->codec_id == CODEC_ID_PROBE){
  524. AVProbeData *pd = &st->probe_data;
  525. pd->buf = av_realloc(pd->buf, pd->buf_size+pkt->size+AVPROBE_PADDING_SIZE);
  526. memcpy(pd->buf+pd->buf_size, pkt->data, pkt->size);
  527. pd->buf_size += pkt->size;
  528. memset(pd->buf+pd->buf_size, 0, AVPROBE_PADDING_SIZE);
  529. if(av_log2(pd->buf_size) != av_log2(pd->buf_size - pkt->size)){
  530. set_codec_from_probe_data(st, pd, 1);
  531. if(st->codec->codec_id != CODEC_ID_PROBE){
  532. pd->buf_size=0;
  533. av_freep(&pd->buf);
  534. }
  535. }
  536. }
  537. }
  538. }
  539. /**********************************************************/
  540. /**
  541. * Get the number of samples of an audio frame. Return -1 on error.
  542. */
  543. static int get_audio_frame_size(AVCodecContext *enc, int size)
  544. {
  545. int frame_size;
  546. if(enc->codec_id == CODEC_ID_VORBIS)
  547. return -1;
  548. if (enc->frame_size <= 1) {
  549. int bits_per_sample = av_get_bits_per_sample(enc->codec_id);
  550. if (bits_per_sample) {
  551. if (enc->channels == 0)
  552. return -1;
  553. frame_size = (size << 3) / (bits_per_sample * enc->channels);
  554. } else {
  555. /* used for example by ADPCM codecs */
  556. if (enc->bit_rate == 0)
  557. return -1;
  558. frame_size = (size * 8 * enc->sample_rate) / enc->bit_rate;
  559. }
  560. } else {
  561. frame_size = enc->frame_size;
  562. }
  563. return frame_size;
  564. }
  565. /**
  566. * Return the frame duration in seconds. Return 0 if not available.
  567. */
  568. static void compute_frame_duration(int *pnum, int *pden, AVStream *st,
  569. AVCodecParserContext *pc, AVPacket *pkt)
  570. {
  571. int frame_size;
  572. *pnum = 0;
  573. *pden = 0;
  574. switch(st->codec->codec_type) {
  575. case CODEC_TYPE_VIDEO:
  576. if(st->time_base.num*1000LL > st->time_base.den){
  577. *pnum = st->time_base.num;
  578. *pden = st->time_base.den;
  579. }else if(st->codec->time_base.num*1000LL > st->codec->time_base.den){
  580. *pnum = st->codec->time_base.num;
  581. *pden = st->codec->time_base.den;
  582. if (pc && pc->repeat_pict) {
  583. *pden *= 2;
  584. *pnum = (*pnum) * (2 + pc->repeat_pict);
  585. }
  586. }
  587. break;
  588. case CODEC_TYPE_AUDIO:
  589. frame_size = get_audio_frame_size(st->codec, pkt->size);
  590. if (frame_size < 0)
  591. break;
  592. *pnum = frame_size;
  593. *pden = st->codec->sample_rate;
  594. break;
  595. default:
  596. break;
  597. }
  598. }
  599. static int is_intra_only(AVCodecContext *enc){
  600. if(enc->codec_type == CODEC_TYPE_AUDIO){
  601. return 1;
  602. }else if(enc->codec_type == CODEC_TYPE_VIDEO){
  603. switch(enc->codec_id){
  604. case CODEC_ID_MJPEG:
  605. case CODEC_ID_MJPEGB:
  606. case CODEC_ID_LJPEG:
  607. case CODEC_ID_RAWVIDEO:
  608. case CODEC_ID_DVVIDEO:
  609. case CODEC_ID_HUFFYUV:
  610. case CODEC_ID_FFVHUFF:
  611. case CODEC_ID_ASV1:
  612. case CODEC_ID_ASV2:
  613. case CODEC_ID_VCR1:
  614. case CODEC_ID_DNXHD:
  615. return 1;
  616. default: break;
  617. }
  618. }
  619. return 0;
  620. }
  621. static void update_initial_timestamps(AVFormatContext *s, int stream_index,
  622. int64_t dts, int64_t pts)
  623. {
  624. AVStream *st= s->streams[stream_index];
  625. AVPacketList *pktl= s->packet_buffer;
  626. if(st->first_dts != AV_NOPTS_VALUE || dts == AV_NOPTS_VALUE || st->cur_dts == AV_NOPTS_VALUE)
  627. return;
  628. st->first_dts= dts - st->cur_dts;
  629. st->cur_dts= dts;
  630. for(; pktl; pktl= pktl->next){
  631. if(pktl->pkt.stream_index != stream_index)
  632. continue;
  633. //FIXME think more about this check
  634. if(pktl->pkt.pts != AV_NOPTS_VALUE && pktl->pkt.pts == pktl->pkt.dts)
  635. pktl->pkt.pts += st->first_dts;
  636. if(pktl->pkt.dts != AV_NOPTS_VALUE)
  637. pktl->pkt.dts += st->first_dts;
  638. if(st->start_time == AV_NOPTS_VALUE && pktl->pkt.pts != AV_NOPTS_VALUE)
  639. st->start_time= pktl->pkt.pts;
  640. }
  641. if (st->start_time == AV_NOPTS_VALUE)
  642. st->start_time = pts;
  643. }
  644. static void update_initial_durations(AVFormatContext *s, AVStream *st, AVPacket *pkt)
  645. {
  646. AVPacketList *pktl= s->packet_buffer;
  647. int64_t cur_dts= 0;
  648. if(st->first_dts != AV_NOPTS_VALUE){
  649. cur_dts= st->first_dts;
  650. for(; pktl; pktl= pktl->next){
  651. if(pktl->pkt.stream_index == pkt->stream_index){
  652. if(pktl->pkt.pts != pktl->pkt.dts || pktl->pkt.dts != AV_NOPTS_VALUE || pktl->pkt.duration)
  653. break;
  654. cur_dts -= pkt->duration;
  655. }
  656. }
  657. pktl= s->packet_buffer;
  658. st->first_dts = cur_dts;
  659. }else if(st->cur_dts)
  660. return;
  661. for(; pktl; pktl= pktl->next){
  662. if(pktl->pkt.stream_index != pkt->stream_index)
  663. continue;
  664. if(pktl->pkt.pts == pktl->pkt.dts && pktl->pkt.dts == AV_NOPTS_VALUE
  665. && !pktl->pkt.duration){
  666. pktl->pkt.dts= cur_dts;
  667. if(!st->codec->has_b_frames)
  668. pktl->pkt.pts= cur_dts;
  669. cur_dts += pkt->duration;
  670. pktl->pkt.duration= pkt->duration;
  671. }else
  672. break;
  673. }
  674. if(st->first_dts == AV_NOPTS_VALUE)
  675. st->cur_dts= cur_dts;
  676. }
  677. static void compute_pkt_fields(AVFormatContext *s, AVStream *st,
  678. AVCodecParserContext *pc, AVPacket *pkt)
  679. {
  680. int num, den, presentation_delayed, delay, i;
  681. int64_t offset;
  682. /* do we have a video B-frame ? */
  683. delay= st->codec->has_b_frames;
  684. presentation_delayed = 0;
  685. /* XXX: need has_b_frame, but cannot get it if the codec is
  686. not initialized */
  687. if (delay &&
  688. pc && pc->pict_type != FF_B_TYPE)
  689. presentation_delayed = 1;
  690. if(pkt->pts != AV_NOPTS_VALUE && pkt->dts != AV_NOPTS_VALUE && pkt->dts > pkt->pts && st->pts_wrap_bits<63
  691. /*&& pkt->dts-(1LL<<st->pts_wrap_bits) < pkt->pts*/){
  692. pkt->dts -= 1LL<<st->pts_wrap_bits;
  693. }
  694. // some mpeg2 in mpeg-ps lack dts (issue171 / input_file.mpg)
  695. // we take the conservative approach and discard both
  696. // Note, if this is misbehaving for a H.264 file then possibly presentation_delayed is not set correctly.
  697. if(delay==1 && pkt->dts == pkt->pts && pkt->dts != AV_NOPTS_VALUE && presentation_delayed){
  698. av_log(s, AV_LOG_ERROR, "invalid dts/pts combination\n");
  699. pkt->dts= pkt->pts= AV_NOPTS_VALUE;
  700. }
  701. if (pkt->duration == 0) {
  702. compute_frame_duration(&num, &den, st, pc, pkt);
  703. if (den && num) {
  704. pkt->duration = av_rescale(1, num * (int64_t)st->time_base.den, den * (int64_t)st->time_base.num);
  705. if(pkt->duration != 0 && s->packet_buffer)
  706. update_initial_durations(s, st, pkt);
  707. }
  708. }
  709. /* correct timestamps with byte offset if demuxers only have timestamps
  710. on packet boundaries */
  711. if(pc && st->need_parsing == AVSTREAM_PARSE_TIMESTAMPS && pkt->size){
  712. /* this will estimate bitrate based on this frame's duration and size */
  713. offset = av_rescale(pc->offset, pkt->duration, pkt->size);
  714. if(pkt->pts != AV_NOPTS_VALUE)
  715. pkt->pts += offset;
  716. if(pkt->dts != AV_NOPTS_VALUE)
  717. pkt->dts += offset;
  718. }
  719. /* This may be redundant, but it should not hurt. */
  720. if(pkt->dts != AV_NOPTS_VALUE && pkt->pts != AV_NOPTS_VALUE && pkt->pts > pkt->dts)
  721. presentation_delayed = 1;
  722. // 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);
  723. /* interpolate PTS and DTS if they are not present */
  724. if(delay==0 || (delay==1 && pc)){
  725. if (presentation_delayed) {
  726. /* DTS = decompression timestamp */
  727. /* PTS = presentation timestamp */
  728. if (pkt->dts == AV_NOPTS_VALUE)
  729. pkt->dts = st->last_IP_pts;
  730. update_initial_timestamps(s, pkt->stream_index, pkt->dts, pkt->pts);
  731. if (pkt->dts == AV_NOPTS_VALUE)
  732. pkt->dts = st->cur_dts;
  733. /* this is tricky: the dts must be incremented by the duration
  734. of the frame we are displaying, i.e. the last I- or P-frame */
  735. if (st->last_IP_duration == 0)
  736. st->last_IP_duration = pkt->duration;
  737. if(pkt->dts != AV_NOPTS_VALUE)
  738. st->cur_dts = pkt->dts + st->last_IP_duration;
  739. st->last_IP_duration = pkt->duration;
  740. st->last_IP_pts= pkt->pts;
  741. /* cannot compute PTS if not present (we can compute it only
  742. by knowing the future */
  743. } else if(pkt->pts != AV_NOPTS_VALUE || pkt->dts != AV_NOPTS_VALUE || pkt->duration){
  744. if(pkt->pts != AV_NOPTS_VALUE && pkt->duration){
  745. int64_t old_diff= FFABS(st->cur_dts - pkt->duration - pkt->pts);
  746. int64_t new_diff= FFABS(st->cur_dts - pkt->pts);
  747. if(old_diff < new_diff && old_diff < (pkt->duration>>3)){
  748. pkt->pts += pkt->duration;
  749. // av_log(NULL, AV_LOG_DEBUG, "id:%d old:%"PRId64" new:%"PRId64" dur:%d cur:%"PRId64" size:%d\n", pkt->stream_index, old_diff, new_diff, pkt->duration, st->cur_dts, pkt->size);
  750. }
  751. }
  752. /* presentation is not delayed : PTS and DTS are the same */
  753. if(pkt->pts == AV_NOPTS_VALUE)
  754. pkt->pts = pkt->dts;
  755. update_initial_timestamps(s, pkt->stream_index, pkt->pts, pkt->pts);
  756. if(pkt->pts == AV_NOPTS_VALUE)
  757. pkt->pts = st->cur_dts;
  758. pkt->dts = pkt->pts;
  759. if(pkt->pts != AV_NOPTS_VALUE)
  760. st->cur_dts = pkt->pts + pkt->duration;
  761. }
  762. }
  763. if(pkt->pts != AV_NOPTS_VALUE && delay <= MAX_REORDER_DELAY){
  764. st->pts_buffer[0]= pkt->pts;
  765. for(i=0; i<delay && st->pts_buffer[i] > st->pts_buffer[i+1]; i++)
  766. FFSWAP(int64_t, st->pts_buffer[i], st->pts_buffer[i+1]);
  767. if(pkt->dts == AV_NOPTS_VALUE)
  768. pkt->dts= st->pts_buffer[0];
  769. if(delay>1){
  770. update_initial_timestamps(s, pkt->stream_index, pkt->dts, pkt->pts); // this should happen on the first packet
  771. }
  772. if(pkt->dts > st->cur_dts)
  773. st->cur_dts = pkt->dts;
  774. }
  775. // 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);
  776. /* update flags */
  777. if(is_intra_only(st->codec))
  778. pkt->flags |= PKT_FLAG_KEY;
  779. else if (pc) {
  780. pkt->flags = 0;
  781. /* keyframe computation */
  782. if (pc->pict_type == FF_I_TYPE)
  783. pkt->flags |= PKT_FLAG_KEY;
  784. }
  785. }
  786. void av_destruct_packet_nofree(AVPacket *pkt)
  787. {
  788. pkt->data = NULL; pkt->size = 0;
  789. }
  790. static int av_read_frame_internal(AVFormatContext *s, AVPacket *pkt)
  791. {
  792. AVStream *st;
  793. int len, ret, i;
  794. av_init_packet(pkt);
  795. for(;;) {
  796. /* select current input stream component */
  797. st = s->cur_st;
  798. if (st) {
  799. if (!st->need_parsing || !st->parser) {
  800. /* no parsing needed: we just output the packet as is */
  801. /* raw data support */
  802. *pkt = s->cur_pkt;
  803. compute_pkt_fields(s, st, NULL, pkt);
  804. s->cur_st = NULL;
  805. break;
  806. } else if (s->cur_len > 0 && st->discard < AVDISCARD_ALL) {
  807. len = av_parser_parse(st->parser, st->codec, &pkt->data, &pkt->size,
  808. s->cur_ptr, s->cur_len,
  809. s->cur_pkt.pts, s->cur_pkt.dts);
  810. s->cur_pkt.pts = AV_NOPTS_VALUE;
  811. s->cur_pkt.dts = AV_NOPTS_VALUE;
  812. /* increment read pointer */
  813. s->cur_ptr += len;
  814. s->cur_len -= len;
  815. /* return packet if any */
  816. if (pkt->size) {
  817. got_packet:
  818. pkt->pos = s->cur_pkt.pos; // Isn't quite accurate but close.
  819. pkt->duration = 0;
  820. pkt->stream_index = st->index;
  821. pkt->pts = st->parser->pts;
  822. pkt->dts = st->parser->dts;
  823. pkt->destruct = av_destruct_packet_nofree;
  824. compute_pkt_fields(s, st, st->parser, pkt);
  825. if((s->iformat->flags & AVFMT_GENERIC_INDEX) && pkt->flags & PKT_FLAG_KEY){
  826. ff_reduce_index(s, st->index);
  827. av_add_index_entry(st, st->parser->frame_offset, pkt->dts,
  828. 0, 0, AVINDEX_KEYFRAME);
  829. }
  830. break;
  831. }
  832. } else {
  833. /* free packet */
  834. av_free_packet(&s->cur_pkt);
  835. s->cur_st = NULL;
  836. }
  837. } else {
  838. /* read next packet */
  839. ret = av_read_packet(s, &s->cur_pkt);
  840. if (ret < 0) {
  841. if (ret == AVERROR(EAGAIN))
  842. return ret;
  843. /* return the last frames, if any */
  844. for(i = 0; i < s->nb_streams; i++) {
  845. st = s->streams[i];
  846. if (st->parser && st->need_parsing) {
  847. av_parser_parse(st->parser, st->codec,
  848. &pkt->data, &pkt->size,
  849. NULL, 0,
  850. AV_NOPTS_VALUE, AV_NOPTS_VALUE);
  851. if (pkt->size)
  852. goto got_packet;
  853. }
  854. }
  855. /* no more packets: really terminate parsing */
  856. return ret;
  857. }
  858. if(s->cur_pkt.pts != AV_NOPTS_VALUE &&
  859. s->cur_pkt.dts != AV_NOPTS_VALUE &&
  860. s->cur_pkt.pts < s->cur_pkt.dts){
  861. av_log(s, AV_LOG_WARNING, "Invalid timestamps stream=%d, pts=%"PRId64", dts=%"PRId64", size=%d\n",
  862. s->cur_pkt.stream_index,
  863. s->cur_pkt.pts,
  864. s->cur_pkt.dts,
  865. s->cur_pkt.size);
  866. // av_free_packet(&s->cur_pkt);
  867. // return -1;
  868. }
  869. st = s->streams[s->cur_pkt.stream_index];
  870. if(s->debug & FF_FDEBUG_TS)
  871. av_log(s, AV_LOG_DEBUG, "av_read_packet stream=%d, pts=%"PRId64", dts=%"PRId64", size=%d, flags=%d\n",
  872. s->cur_pkt.stream_index,
  873. s->cur_pkt.pts,
  874. s->cur_pkt.dts,
  875. s->cur_pkt.size,
  876. s->cur_pkt.flags);
  877. s->cur_st = st;
  878. s->cur_ptr = s->cur_pkt.data;
  879. s->cur_len = s->cur_pkt.size;
  880. if (st->need_parsing && !st->parser) {
  881. st->parser = av_parser_init(st->codec->codec_id);
  882. if (!st->parser) {
  883. /* no parser available: just output the raw packets */
  884. st->need_parsing = AVSTREAM_PARSE_NONE;
  885. }else if(st->need_parsing == AVSTREAM_PARSE_HEADERS){
  886. st->parser->flags |= PARSER_FLAG_COMPLETE_FRAMES;
  887. }
  888. if(st->parser && (s->iformat->flags & AVFMT_GENERIC_INDEX)){
  889. st->parser->next_frame_offset=
  890. st->parser->cur_offset= s->cur_pkt.pos;
  891. }
  892. }
  893. }
  894. }
  895. if(s->debug & FF_FDEBUG_TS)
  896. av_log(s, AV_LOG_DEBUG, "av_read_frame_internal stream=%d, pts=%"PRId64", dts=%"PRId64", size=%d, flags=%d\n",
  897. pkt->stream_index,
  898. pkt->pts,
  899. pkt->dts,
  900. pkt->size,
  901. pkt->flags);
  902. return 0;
  903. }
  904. int av_read_frame(AVFormatContext *s, AVPacket *pkt)
  905. {
  906. AVPacketList *pktl;
  907. int eof=0;
  908. const int genpts= s->flags & AVFMT_FLAG_GENPTS;
  909. for(;;){
  910. pktl = s->packet_buffer;
  911. if (pktl) {
  912. AVPacket *next_pkt= &pktl->pkt;
  913. if(genpts && next_pkt->dts != AV_NOPTS_VALUE){
  914. while(pktl && next_pkt->pts == AV_NOPTS_VALUE){
  915. if( pktl->pkt.stream_index == next_pkt->stream_index
  916. && next_pkt->dts < pktl->pkt.dts
  917. && pktl->pkt.pts != pktl->pkt.dts //not b frame
  918. /*&& pktl->pkt.dts != AV_NOPTS_VALUE*/){
  919. next_pkt->pts= pktl->pkt.dts;
  920. }
  921. pktl= pktl->next;
  922. }
  923. pktl = s->packet_buffer;
  924. }
  925. if( next_pkt->pts != AV_NOPTS_VALUE
  926. || next_pkt->dts == AV_NOPTS_VALUE
  927. || !genpts || eof){
  928. /* read packet from packet buffer, if there is data */
  929. *pkt = *next_pkt;
  930. s->packet_buffer = pktl->next;
  931. av_free(pktl);
  932. return 0;
  933. }
  934. }
  935. if(genpts){
  936. int ret= av_read_frame_internal(s, pkt);
  937. if(ret<0){
  938. if(pktl && ret != AVERROR(EAGAIN)){
  939. eof=1;
  940. continue;
  941. }else
  942. return ret;
  943. }
  944. if(av_dup_packet(add_to_pktbuf(&s->packet_buffer, pkt,
  945. &s->packet_buffer_end)) < 0)
  946. return AVERROR(ENOMEM);
  947. }else{
  948. assert(!s->packet_buffer);
  949. return av_read_frame_internal(s, pkt);
  950. }
  951. }
  952. }
  953. /* XXX: suppress the packet queue */
  954. static void flush_packet_queue(AVFormatContext *s)
  955. {
  956. AVPacketList *pktl;
  957. for(;;) {
  958. pktl = s->packet_buffer;
  959. if (!pktl)
  960. break;
  961. s->packet_buffer = pktl->next;
  962. av_free_packet(&pktl->pkt);
  963. av_free(pktl);
  964. }
  965. }
  966. /*******************************************************/
  967. /* seek support */
  968. int av_find_default_stream_index(AVFormatContext *s)
  969. {
  970. int first_audio_index = -1;
  971. int i;
  972. AVStream *st;
  973. if (s->nb_streams <= 0)
  974. return -1;
  975. for(i = 0; i < s->nb_streams; i++) {
  976. st = s->streams[i];
  977. if (st->codec->codec_type == CODEC_TYPE_VIDEO) {
  978. return i;
  979. }
  980. if (first_audio_index < 0 && st->codec->codec_type == CODEC_TYPE_AUDIO)
  981. first_audio_index = i;
  982. }
  983. return first_audio_index >= 0 ? first_audio_index : 0;
  984. }
  985. /**
  986. * Flush the frame reader.
  987. */
  988. static void av_read_frame_flush(AVFormatContext *s)
  989. {
  990. AVStream *st;
  991. int i;
  992. flush_packet_queue(s);
  993. /* free previous packet */
  994. if (s->cur_st) {
  995. if (s->cur_st->parser)
  996. av_free_packet(&s->cur_pkt);
  997. s->cur_st = NULL;
  998. }
  999. /* fail safe */
  1000. s->cur_ptr = NULL;
  1001. s->cur_len = 0;
  1002. /* for each stream, reset read state */
  1003. for(i = 0; i < s->nb_streams; i++) {
  1004. st = s->streams[i];
  1005. if (st->parser) {
  1006. av_parser_close(st->parser);
  1007. st->parser = NULL;
  1008. }
  1009. st->last_IP_pts = AV_NOPTS_VALUE;
  1010. st->cur_dts = AV_NOPTS_VALUE; /* we set the current DTS to an unspecified origin */
  1011. }
  1012. }
  1013. void av_update_cur_dts(AVFormatContext *s, AVStream *ref_st, int64_t timestamp){
  1014. int i;
  1015. for(i = 0; i < s->nb_streams; i++) {
  1016. AVStream *st = s->streams[i];
  1017. st->cur_dts = av_rescale(timestamp,
  1018. st->time_base.den * (int64_t)ref_st->time_base.num,
  1019. st->time_base.num * (int64_t)ref_st->time_base.den);
  1020. }
  1021. }
  1022. void ff_reduce_index(AVFormatContext *s, int stream_index)
  1023. {
  1024. AVStream *st= s->streams[stream_index];
  1025. unsigned int max_entries= s->max_index_size / sizeof(AVIndexEntry);
  1026. if((unsigned)st->nb_index_entries >= max_entries){
  1027. int i;
  1028. for(i=0; 2*i<st->nb_index_entries; i++)
  1029. st->index_entries[i]= st->index_entries[2*i];
  1030. st->nb_index_entries= i;
  1031. }
  1032. }
  1033. int av_add_index_entry(AVStream *st,
  1034. int64_t pos, int64_t timestamp, int size, int distance, int flags)
  1035. {
  1036. AVIndexEntry *entries, *ie;
  1037. int index;
  1038. if((unsigned)st->nb_index_entries + 1 >= UINT_MAX / sizeof(AVIndexEntry))
  1039. return -1;
  1040. entries = av_fast_realloc(st->index_entries,
  1041. &st->index_entries_allocated_size,
  1042. (st->nb_index_entries + 1) *
  1043. sizeof(AVIndexEntry));
  1044. if(!entries)
  1045. return -1;
  1046. st->index_entries= entries;
  1047. index= av_index_search_timestamp(st, timestamp, AVSEEK_FLAG_ANY);
  1048. if(index<0){
  1049. index= st->nb_index_entries++;
  1050. ie= &entries[index];
  1051. assert(index==0 || ie[-1].timestamp < timestamp);
  1052. }else{
  1053. ie= &entries[index];
  1054. if(ie->timestamp != timestamp){
  1055. if(ie->timestamp <= timestamp)
  1056. return -1;
  1057. memmove(entries + index + 1, entries + index, sizeof(AVIndexEntry)*(st->nb_index_entries - index));
  1058. st->nb_index_entries++;
  1059. }else if(ie->pos == pos && distance < ie->min_distance) //do not reduce the distance
  1060. distance= ie->min_distance;
  1061. }
  1062. ie->pos = pos;
  1063. ie->timestamp = timestamp;
  1064. ie->min_distance= distance;
  1065. ie->size= size;
  1066. ie->flags = flags;
  1067. return index;
  1068. }
  1069. int av_index_search_timestamp(AVStream *st, int64_t wanted_timestamp,
  1070. int flags)
  1071. {
  1072. AVIndexEntry *entries= st->index_entries;
  1073. int nb_entries= st->nb_index_entries;
  1074. int a, b, m;
  1075. int64_t timestamp;
  1076. a = - 1;
  1077. b = nb_entries;
  1078. while (b - a > 1) {
  1079. m = (a + b) >> 1;
  1080. timestamp = entries[m].timestamp;
  1081. if(timestamp >= wanted_timestamp)
  1082. b = m;
  1083. if(timestamp <= wanted_timestamp)
  1084. a = m;
  1085. }
  1086. m= (flags & AVSEEK_FLAG_BACKWARD) ? a : b;
  1087. if(!(flags & AVSEEK_FLAG_ANY)){
  1088. while(m>=0 && m<nb_entries && !(entries[m].flags & AVINDEX_KEYFRAME)){
  1089. m += (flags & AVSEEK_FLAG_BACKWARD) ? -1 : 1;
  1090. }
  1091. }
  1092. if(m == nb_entries)
  1093. return -1;
  1094. return m;
  1095. }
  1096. #define DEBUG_SEEK
  1097. int av_seek_frame_binary(AVFormatContext *s, int stream_index, int64_t target_ts, int flags){
  1098. AVInputFormat *avif= s->iformat;
  1099. int64_t pos_min, pos_max, pos, pos_limit;
  1100. int64_t ts_min, ts_max, ts;
  1101. int index;
  1102. AVStream *st;
  1103. if (stream_index < 0)
  1104. return -1;
  1105. #ifdef DEBUG_SEEK
  1106. av_log(s, AV_LOG_DEBUG, "read_seek: %d %"PRId64"\n", stream_index, target_ts);
  1107. #endif
  1108. ts_max=
  1109. ts_min= AV_NOPTS_VALUE;
  1110. pos_limit= -1; //gcc falsely says it may be uninitialized
  1111. st= s->streams[stream_index];
  1112. if(st->index_entries){
  1113. AVIndexEntry *e;
  1114. 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()
  1115. index= FFMAX(index, 0);
  1116. e= &st->index_entries[index];
  1117. if(e->timestamp <= target_ts || e->pos == e->min_distance){
  1118. pos_min= e->pos;
  1119. ts_min= e->timestamp;
  1120. #ifdef DEBUG_SEEK
  1121. av_log(s, AV_LOG_DEBUG, "using cached pos_min=0x%"PRIx64" dts_min=%"PRId64"\n",
  1122. pos_min,ts_min);
  1123. #endif
  1124. }else{
  1125. assert(index==0);
  1126. }
  1127. index= av_index_search_timestamp(st, target_ts, flags & ~AVSEEK_FLAG_BACKWARD);
  1128. assert(index < st->nb_index_entries);
  1129. if(index >= 0){
  1130. e= &st->index_entries[index];
  1131. assert(e->timestamp >= target_ts);
  1132. pos_max= e->pos;
  1133. ts_max= e->timestamp;
  1134. pos_limit= pos_max - e->min_distance;
  1135. #ifdef DEBUG_SEEK
  1136. av_log(s, AV_LOG_DEBUG, "using cached pos_max=0x%"PRIx64" pos_limit=0x%"PRIx64" dts_max=%"PRId64"\n",
  1137. pos_max,pos_limit, ts_max);
  1138. #endif
  1139. }
  1140. }
  1141. pos= av_gen_search(s, stream_index, target_ts, pos_min, pos_max, pos_limit, ts_min, ts_max, flags, &ts, avif->read_timestamp);
  1142. if(pos<0)
  1143. return -1;
  1144. /* do the seek */
  1145. url_fseek(s->pb, pos, SEEK_SET);
  1146. av_update_cur_dts(s, st, ts);
  1147. return 0;
  1148. }
  1149. int64_t av_gen_search(AVFormatContext *s, int stream_index, int64_t target_ts, int64_t pos_min, int64_t pos_max, int64_t pos_limit, int64_t ts_min, int64_t ts_max, int flags, int64_t *ts_ret, int64_t (*read_timestamp)(struct AVFormatContext *, int , int64_t *, int64_t )){
  1150. int64_t pos, ts;
  1151. int64_t start_pos, filesize;
  1152. int no_change;
  1153. #ifdef DEBUG_SEEK
  1154. av_log(s, AV_LOG_DEBUG, "gen_seek: %d %"PRId64"\n", stream_index, target_ts);
  1155. #endif
  1156. if(ts_min == AV_NOPTS_VALUE){
  1157. pos_min = s->data_offset;
  1158. ts_min = read_timestamp(s, stream_index, &pos_min, INT64_MAX);
  1159. if (ts_min == AV_NOPTS_VALUE)
  1160. return -1;
  1161. }
  1162. if(ts_max == AV_NOPTS_VALUE){
  1163. int step= 1024;
  1164. filesize = url_fsize(s->pb);
  1165. pos_max = filesize - 1;
  1166. do{
  1167. pos_max -= step;
  1168. ts_max = read_timestamp(s, stream_index, &pos_max, pos_max + step);
  1169. step += step;
  1170. }while(ts_max == AV_NOPTS_VALUE && pos_max >= step);
  1171. if (ts_max == AV_NOPTS_VALUE)
  1172. return -1;
  1173. for(;;){
  1174. int64_t tmp_pos= pos_max + 1;
  1175. int64_t tmp_ts= read_timestamp(s, stream_index, &tmp_pos, INT64_MAX);
  1176. if(tmp_ts == AV_NOPTS_VALUE)
  1177. break;
  1178. ts_max= tmp_ts;
  1179. pos_max= tmp_pos;
  1180. if(tmp_pos >= filesize)
  1181. break;
  1182. }
  1183. pos_limit= pos_max;
  1184. }
  1185. if(ts_min > ts_max){
  1186. return -1;
  1187. }else if(ts_min == ts_max){
  1188. pos_limit= pos_min;
  1189. }
  1190. no_change=0;
  1191. while (pos_min < pos_limit) {
  1192. #ifdef DEBUG_SEEK
  1193. av_log(s, AV_LOG_DEBUG, "pos_min=0x%"PRIx64" pos_max=0x%"PRIx64" dts_min=%"PRId64" dts_max=%"PRId64"\n",
  1194. pos_min, pos_max,
  1195. ts_min, ts_max);
  1196. #endif
  1197. assert(pos_limit <= pos_max);
  1198. if(no_change==0){
  1199. int64_t approximate_keyframe_distance= pos_max - pos_limit;
  1200. // interpolate position (better than dichotomy)
  1201. pos = av_rescale(target_ts - ts_min, pos_max - pos_min, ts_max - ts_min)
  1202. + pos_min - approximate_keyframe_distance;
  1203. }else if(no_change==1){
  1204. // bisection, if interpolation failed to change min or max pos last time
  1205. pos = (pos_min + pos_limit)>>1;
  1206. }else{
  1207. /* linear search if bisection failed, can only happen if there
  1208. are very few or no keyframes between min/max */
  1209. pos=pos_min;
  1210. }
  1211. if(pos <= pos_min)
  1212. pos= pos_min + 1;
  1213. else if(pos > pos_limit)
  1214. pos= pos_limit;
  1215. start_pos= pos;
  1216. ts = read_timestamp(s, stream_index, &pos, INT64_MAX); //may pass pos_limit instead of -1
  1217. if(pos == pos_max)
  1218. no_change++;
  1219. else
  1220. no_change=0;
  1221. #ifdef DEBUG_SEEK
  1222. av_log(s, AV_LOG_DEBUG, "%"PRId64" %"PRId64" %"PRId64" / %"PRId64" %"PRId64" %"PRId64" target:%"PRId64" limit:%"PRId64" start:%"PRId64" noc:%d\n", pos_min, pos, pos_max, ts_min, ts, ts_max, target_ts, pos_limit, start_pos, no_change);
  1223. #endif
  1224. if(ts == AV_NOPTS_VALUE){
  1225. av_log(s, AV_LOG_ERROR, "read_timestamp() failed in the middle\n");
  1226. return -1;
  1227. }
  1228. assert(ts != AV_NOPTS_VALUE);
  1229. if (target_ts <= ts) {
  1230. pos_limit = start_pos - 1;
  1231. pos_max = pos;
  1232. ts_max = ts;
  1233. }
  1234. if (target_ts >= ts) {
  1235. pos_min = pos;
  1236. ts_min = ts;
  1237. }
  1238. }
  1239. pos = (flags & AVSEEK_FLAG_BACKWARD) ? pos_min : pos_max;
  1240. ts = (flags & AVSEEK_FLAG_BACKWARD) ? ts_min : ts_max;
  1241. #ifdef DEBUG_SEEK
  1242. pos_min = pos;
  1243. ts_min = read_timestamp(s, stream_index, &pos_min, INT64_MAX);
  1244. pos_min++;
  1245. ts_max = read_timestamp(s, stream_index, &pos_min, INT64_MAX);
  1246. av_log(s, AV_LOG_DEBUG, "pos=0x%"PRIx64" %"PRId64"<=%"PRId64"<=%"PRId64"\n",
  1247. pos, ts_min, target_ts, ts_max);
  1248. #endif
  1249. *ts_ret= ts;
  1250. return pos;
  1251. }
  1252. static int av_seek_frame_byte(AVFormatContext *s, int stream_index, int64_t pos, int flags){
  1253. int64_t pos_min, pos_max;
  1254. #if 0
  1255. AVStream *st;
  1256. if (stream_index < 0)
  1257. return -1;
  1258. st= s->streams[stream_index];
  1259. #endif
  1260. pos_min = s->data_offset;
  1261. pos_max = url_fsize(s->pb) - 1;
  1262. if (pos < pos_min) pos= pos_min;
  1263. else if(pos > pos_max) pos= pos_max;
  1264. url_fseek(s->pb, pos, SEEK_SET);
  1265. #if 0
  1266. av_update_cur_dts(s, st, ts);
  1267. #endif
  1268. return 0;
  1269. }
  1270. static int av_seek_frame_generic(AVFormatContext *s,
  1271. int stream_index, int64_t timestamp, int flags)
  1272. {
  1273. int index, ret;
  1274. AVStream *st;
  1275. AVIndexEntry *ie;
  1276. st = s->streams[stream_index];
  1277. index = av_index_search_timestamp(st, timestamp, flags);
  1278. if(index < 0 || index==st->nb_index_entries-1){
  1279. int i;
  1280. AVPacket pkt;
  1281. if(st->nb_index_entries){
  1282. assert(st->index_entries);
  1283. ie= &st->index_entries[st->nb_index_entries-1];
  1284. if ((ret = url_fseek(s->pb, ie->pos, SEEK_SET)) < 0)
  1285. return ret;
  1286. av_update_cur_dts(s, st, ie->timestamp);
  1287. }else{
  1288. if ((ret = url_fseek(s->pb, 0, SEEK_SET)) < 0)
  1289. return ret;
  1290. }
  1291. for(i=0;; i++) {
  1292. int ret = av_read_frame(s, &pkt);
  1293. if(ret<0)
  1294. break;
  1295. av_free_packet(&pkt);
  1296. if(stream_index == pkt.stream_index){
  1297. if((pkt.flags & PKT_FLAG_KEY) && pkt.dts > timestamp)
  1298. break;
  1299. }
  1300. }
  1301. index = av_index_search_timestamp(st, timestamp, flags);
  1302. }
  1303. if (index < 0)
  1304. return -1;
  1305. av_read_frame_flush(s);
  1306. if (s->iformat->read_seek){
  1307. if(s->iformat->read_seek(s, stream_index, timestamp, flags) >= 0)
  1308. return 0;
  1309. }
  1310. ie = &st->index_entries[index];
  1311. if ((ret = url_fseek(s->pb, ie->pos, SEEK_SET)) < 0)
  1312. return ret;
  1313. av_update_cur_dts(s, st, ie->timestamp);
  1314. return 0;
  1315. }
  1316. int av_seek_frame(AVFormatContext *s, int stream_index, int64_t timestamp, int flags)
  1317. {
  1318. int ret;
  1319. AVStream *st;
  1320. av_read_frame_flush(s);
  1321. if(flags & AVSEEK_FLAG_BYTE)
  1322. return av_seek_frame_byte(s, stream_index, timestamp, flags);
  1323. if(stream_index < 0){
  1324. stream_index= av_find_default_stream_index(s);
  1325. if(stream_index < 0)
  1326. return -1;
  1327. st= s->streams[stream_index];
  1328. /* timestamp for default must be expressed in AV_TIME_BASE units */
  1329. timestamp = av_rescale(timestamp, st->time_base.den, AV_TIME_BASE * (int64_t)st->time_base.num);
  1330. }
  1331. /* first, we try the format specific seek */
  1332. if (s->iformat->read_seek)
  1333. ret = s->iformat->read_seek(s, stream_index, timestamp, flags);
  1334. else
  1335. ret = -1;
  1336. if (ret >= 0) {
  1337. return 0;
  1338. }
  1339. if(s->iformat->read_timestamp)
  1340. return av_seek_frame_binary(s, stream_index, timestamp, flags);
  1341. else
  1342. return av_seek_frame_generic(s, stream_index, timestamp, flags);
  1343. }
  1344. /*******************************************************/
  1345. /**
  1346. * Returns TRUE if the stream has accurate duration in any stream.
  1347. *
  1348. * @return TRUE if the stream has accurate duration for at least one component.
  1349. */
  1350. static int av_has_duration(AVFormatContext *ic)
  1351. {
  1352. int i;
  1353. AVStream *st;
  1354. for(i = 0;i < ic->nb_streams; i++) {
  1355. st = ic->streams[i];
  1356. if (st->duration != AV_NOPTS_VALUE)
  1357. return 1;
  1358. }
  1359. return 0;
  1360. }
  1361. /**
  1362. * Estimate the stream timings from the one of each components.
  1363. *
  1364. * Also computes the global bitrate if possible.
  1365. */
  1366. static void av_update_stream_timings(AVFormatContext *ic)
  1367. {
  1368. int64_t start_time, start_time1, end_time, end_time1;
  1369. int64_t duration, duration1;
  1370. int i;
  1371. AVStream *st;
  1372. start_time = INT64_MAX;
  1373. end_time = INT64_MIN;
  1374. duration = INT64_MIN;
  1375. for(i = 0;i < ic->nb_streams; i++) {
  1376. st = ic->streams[i];
  1377. if (st->start_time != AV_NOPTS_VALUE && st->time_base.den) {
  1378. start_time1= av_rescale_q(st->start_time, st->time_base, AV_TIME_BASE_Q);
  1379. if (start_time1 < start_time)
  1380. start_time = start_time1;
  1381. if (st->duration != AV_NOPTS_VALUE) {
  1382. end_time1 = start_time1
  1383. + av_rescale_q(st->duration, st->time_base, AV_TIME_BASE_Q);
  1384. if (end_time1 > end_time)
  1385. end_time = end_time1;
  1386. }
  1387. }
  1388. if (st->duration != AV_NOPTS_VALUE) {
  1389. duration1 = av_rescale_q(st->duration, st->time_base, AV_TIME_BASE_Q);
  1390. if (duration1 > duration)
  1391. duration = duration1;
  1392. }
  1393. }
  1394. if (start_time != INT64_MAX) {
  1395. ic->start_time = start_time;
  1396. if (end_time != INT64_MIN) {
  1397. if (end_time - start_time > duration)
  1398. duration = end_time - start_time;
  1399. }
  1400. }
  1401. if (duration != INT64_MIN) {
  1402. ic->duration = duration;
  1403. if (ic->file_size > 0) {
  1404. /* compute the bitrate */
  1405. ic->bit_rate = (double)ic->file_size * 8.0 * AV_TIME_BASE /
  1406. (double)ic->duration;
  1407. }
  1408. }
  1409. }
  1410. static void fill_all_stream_timings(AVFormatContext *ic)
  1411. {
  1412. int i;
  1413. AVStream *st;
  1414. av_update_stream_timings(ic);
  1415. for(i = 0;i < ic->nb_streams; i++) {
  1416. st = ic->streams[i];
  1417. if (st->start_time == AV_NOPTS_VALUE) {
  1418. if(ic->start_time != AV_NOPTS_VALUE)
  1419. st->start_time = av_rescale_q(ic->start_time, AV_TIME_BASE_Q, st->time_base);
  1420. if(ic->duration != AV_NOPTS_VALUE)
  1421. st->duration = av_rescale_q(ic->duration, AV_TIME_BASE_Q, st->time_base);
  1422. }
  1423. }
  1424. }
  1425. static void av_estimate_timings_from_bit_rate(AVFormatContext *ic)
  1426. {
  1427. int64_t filesize, duration;
  1428. int bit_rate, i;
  1429. AVStream *st;
  1430. /* if bit_rate is already set, we believe it */
  1431. if (ic->bit_rate == 0) {
  1432. bit_rate = 0;
  1433. for(i=0;i<ic->nb_streams;i++) {
  1434. st = ic->streams[i];
  1435. bit_rate += st->codec->bit_rate;
  1436. }
  1437. ic->bit_rate = bit_rate;
  1438. }
  1439. /* if duration is already set, we believe it */
  1440. if (ic->duration == AV_NOPTS_VALUE &&
  1441. ic->bit_rate != 0 &&
  1442. ic->file_size != 0) {
  1443. filesize = ic->file_size;
  1444. if (filesize > 0) {
  1445. for(i = 0; i < ic->nb_streams; i++) {
  1446. st = ic->streams[i];
  1447. duration= av_rescale(8*filesize, st->time_base.den, ic->bit_rate*(int64_t)st->time_base.num);
  1448. if (st->duration == AV_NOPTS_VALUE)
  1449. st->duration = duration;
  1450. }
  1451. }
  1452. }
  1453. }
  1454. #define DURATION_MAX_READ_SIZE 250000
  1455. /* only usable for MPEG-PS streams */
  1456. static void av_estimate_timings_from_pts(AVFormatContext *ic, int64_t old_offset)
  1457. {
  1458. AVPacket pkt1, *pkt = &pkt1;
  1459. AVStream *st;
  1460. int read_size, i, ret;
  1461. int64_t end_time;
  1462. int64_t filesize, offset, duration;
  1463. /* free previous packet */
  1464. if (ic->cur_st && ic->cur_st->parser)
  1465. av_free_packet(&ic->cur_pkt);
  1466. ic->cur_st = NULL;
  1467. /* flush packet queue */
  1468. flush_packet_queue(ic);
  1469. for(i=0;i<ic->nb_streams;i++) {
  1470. st = ic->streams[i];
  1471. if (st->parser) {
  1472. av_parser_close(st->parser);
  1473. st->parser= NULL;
  1474. }
  1475. }
  1476. /* we read the first packets to get the first PTS (not fully
  1477. accurate, but it is enough now) */
  1478. url_fseek(ic->pb, 0, SEEK_SET);
  1479. read_size = 0;
  1480. for(;;) {
  1481. if (read_size >= DURATION_MAX_READ_SIZE)
  1482. break;
  1483. /* if all info is available, we can stop */
  1484. for(i = 0;i < ic->nb_streams; i++) {
  1485. st = ic->streams[i];
  1486. if (st->start_time == AV_NOPTS_VALUE)
  1487. break;
  1488. }
  1489. if (i == ic->nb_streams)
  1490. break;
  1491. ret = av_read_packet(ic, pkt);
  1492. if (ret != 0)
  1493. break;
  1494. read_size += pkt->size;
  1495. st = ic->streams[pkt->stream_index];
  1496. if (pkt->pts != AV_NOPTS_VALUE) {
  1497. if (st->start_time == AV_NOPTS_VALUE)
  1498. st->start_time = pkt->pts;
  1499. }
  1500. av_free_packet(pkt);
  1501. }
  1502. /* estimate the end time (duration) */
  1503. /* XXX: may need to support wrapping */
  1504. filesize = ic->file_size;
  1505. offset = filesize - DURATION_MAX_READ_SIZE;
  1506. if (offset < 0)
  1507. offset = 0;
  1508. url_fseek(ic->pb, offset, SEEK_SET);
  1509. read_size = 0;
  1510. for(;;) {
  1511. if (read_size >= DURATION_MAX_READ_SIZE)
  1512. break;
  1513. ret = av_read_packet(ic, pkt);
  1514. if (ret != 0)
  1515. break;
  1516. read_size += pkt->size;
  1517. st = ic->streams[pkt->stream_index];
  1518. if (pkt->pts != AV_NOPTS_VALUE &&
  1519. st->start_time != AV_NOPTS_VALUE) {
  1520. end_time = pkt->pts;
  1521. duration = end_time - st->start_time;
  1522. if (duration > 0) {
  1523. if (st->duration == AV_NOPTS_VALUE ||
  1524. st->duration < duration)
  1525. st->duration = duration;
  1526. }
  1527. }
  1528. av_free_packet(pkt);
  1529. }
  1530. fill_all_stream_timings(ic);
  1531. url_fseek(ic->pb, old_offset, SEEK_SET);
  1532. for(i=0; i<ic->nb_streams; i++){
  1533. st= ic->streams[i];
  1534. st->cur_dts= st->first_dts;
  1535. st->last_IP_pts = AV_NOPTS_VALUE;
  1536. }
  1537. }
  1538. static void av_estimate_timings(AVFormatContext *ic, int64_t old_offset)
  1539. {
  1540. int64_t file_size;
  1541. /* get the file size, if possible */
  1542. if (ic->iformat->flags & AVFMT_NOFILE) {
  1543. file_size = 0;
  1544. } else {
  1545. file_size = url_fsize(ic->pb);
  1546. if (file_size < 0)
  1547. file_size = 0;
  1548. }
  1549. ic->file_size = file_size;
  1550. if ((!strcmp(ic->iformat->name, "mpeg") ||
  1551. !strcmp(ic->iformat->name, "mpegts")) &&
  1552. file_size && !url_is_streamed(ic->pb)) {
  1553. /* get accurate estimate from the PTSes */
  1554. av_estimate_timings_from_pts(ic, old_offset);
  1555. } else if (av_has_duration(ic)) {
  1556. /* at least one component has timings - we use them for all
  1557. the components */
  1558. fill_all_stream_timings(ic);
  1559. } else {
  1560. /* less precise: use bitrate info */
  1561. av_estimate_timings_from_bit_rate(ic);
  1562. }
  1563. av_update_stream_timings(ic);
  1564. #if 0
  1565. {
  1566. int i;
  1567. AVStream *st;
  1568. for(i = 0;i < ic->nb_streams; i++) {
  1569. st = ic->streams[i];
  1570. printf("%d: start_time: %0.3f duration: %0.3f\n",
  1571. i, (double)st->start_time / AV_TIME_BASE,
  1572. (double)st->duration / AV_TIME_BASE);
  1573. }
  1574. printf("stream: start_time: %0.3f duration: %0.3f bitrate=%d kb/s\n",
  1575. (double)ic->start_time / AV_TIME_BASE,
  1576. (double)ic->duration / AV_TIME_BASE,
  1577. ic->bit_rate / 1000);
  1578. }
  1579. #endif
  1580. }
  1581. static int has_codec_parameters(AVCodecContext *enc)
  1582. {
  1583. int val;
  1584. switch(enc->codec_type) {
  1585. case CODEC_TYPE_AUDIO:
  1586. val = enc->sample_rate && enc->channels && enc->sample_fmt != SAMPLE_FMT_NONE;
  1587. if(!enc->frame_size &&
  1588. (enc->codec_id == CODEC_ID_VORBIS ||
  1589. enc->codec_id == CODEC_ID_AAC))
  1590. return 0;
  1591. break;
  1592. case CODEC_TYPE_VIDEO:
  1593. val = enc->width && enc->pix_fmt != PIX_FMT_NONE;
  1594. break;
  1595. default:
  1596. val = 1;
  1597. break;
  1598. }
  1599. return enc->codec_id != CODEC_ID_NONE && val != 0;
  1600. }
  1601. static int try_decode_frame(AVStream *st, const uint8_t *data, int size)
  1602. {
  1603. int16_t *samples;
  1604. AVCodec *codec;
  1605. int got_picture, data_size, ret=0;
  1606. AVFrame picture;
  1607. if(!st->codec->codec){
  1608. codec = avcodec_find_decoder(st->codec->codec_id);
  1609. if (!codec)
  1610. return -1;
  1611. ret = avcodec_open(st->codec, codec);
  1612. if (ret < 0)
  1613. return ret;
  1614. }
  1615. if(!has_codec_parameters(st->codec)){
  1616. switch(st->codec->codec_type) {
  1617. case CODEC_TYPE_VIDEO:
  1618. ret = avcodec_decode_video(st->codec, &picture,
  1619. &got_picture, data, size);
  1620. break;
  1621. case CODEC_TYPE_AUDIO:
  1622. data_size = FFMAX(size, AVCODEC_MAX_AUDIO_FRAME_SIZE);
  1623. samples = av_malloc(data_size);
  1624. if (!samples)
  1625. goto fail;
  1626. ret = avcodec_decode_audio2(st->codec, samples,
  1627. &data_size, data, size);
  1628. av_free(samples);
  1629. break;
  1630. default:
  1631. break;
  1632. }
  1633. }
  1634. fail:
  1635. return ret;
  1636. }
  1637. unsigned int codec_get_tag(const AVCodecTag *tags, int id)
  1638. {
  1639. while (tags->id != CODEC_ID_NONE) {
  1640. if (tags->id == id)
  1641. return tags->tag;
  1642. tags++;
  1643. }
  1644. return 0;
  1645. }
  1646. enum CodecID codec_get_id(const AVCodecTag *tags, unsigned int tag)
  1647. {
  1648. int i;
  1649. for(i=0; tags[i].id != CODEC_ID_NONE;i++) {
  1650. if(tag == tags[i].tag)
  1651. return tags[i].id;
  1652. }
  1653. for(i=0; tags[i].id != CODEC_ID_NONE; i++) {
  1654. if( toupper((tag >> 0)&0xFF) == toupper((tags[i].tag >> 0)&0xFF)
  1655. && toupper((tag >> 8)&0xFF) == toupper((tags[i].tag >> 8)&0xFF)
  1656. && toupper((tag >>16)&0xFF) == toupper((tags[i].tag >>16)&0xFF)
  1657. && toupper((tag >>24)&0xFF) == toupper((tags[i].tag >>24)&0xFF))
  1658. return tags[i].id;
  1659. }
  1660. return CODEC_ID_NONE;
  1661. }
  1662. unsigned int av_codec_get_tag(const AVCodecTag * const *tags, enum CodecID id)
  1663. {
  1664. int i;
  1665. for(i=0; tags && tags[i]; i++){
  1666. int tag= codec_get_tag(tags[i], id);
  1667. if(tag) return tag;
  1668. }
  1669. return 0;
  1670. }
  1671. enum CodecID av_codec_get_id(const AVCodecTag * const *tags, unsigned int tag)
  1672. {
  1673. int i;
  1674. for(i=0; tags && tags[i]; i++){
  1675. enum CodecID id= codec_get_id(tags[i], tag);
  1676. if(id!=CODEC_ID_NONE) return id;
  1677. }
  1678. return CODEC_ID_NONE;
  1679. }
  1680. static void compute_chapters_end(AVFormatContext *s)
  1681. {
  1682. unsigned int i;
  1683. for (i=0; i+1<s->nb_chapters; i++)
  1684. if (s->chapters[i]->end == AV_NOPTS_VALUE) {
  1685. assert(s->chapters[i]->start <= s->chapters[i+1]->start);
  1686. assert(!av_cmp_q(s->chapters[i]->time_base, s->chapters[i+1]->time_base));
  1687. s->chapters[i]->end = s->chapters[i+1]->start;
  1688. }
  1689. if (s->nb_chapters && s->chapters[i]->end == AV_NOPTS_VALUE) {
  1690. assert(s->start_time != AV_NOPTS_VALUE);
  1691. assert(s->duration > 0);
  1692. s->chapters[i]->end = av_rescale_q(s->start_time + s->duration,
  1693. AV_TIME_BASE_Q,
  1694. s->chapters[i]->time_base);
  1695. }
  1696. }
  1697. /* absolute maximum size we read until we abort */
  1698. #define MAX_READ_SIZE 5000000
  1699. #define MAX_STD_TIMEBASES (60*12+5)
  1700. static int get_std_framerate(int i){
  1701. if(i<60*12) return i*1001;
  1702. else return ((const int[]){24,30,60,12,15})[i-60*12]*1000*12;
  1703. }
  1704. /*
  1705. * Is the time base unreliable.
  1706. * This is a heuristic to balance between quick acceptance of the values in
  1707. * the headers vs. some extra checks.
  1708. * Old DivX and Xvid often have nonsense timebases like 1fps or 2fps.
  1709. * MPEG-2 commonly misuses field repeat flags to store different framerates.
  1710. * And there are "variable" fps files this needs to detect as well.
  1711. */
  1712. static int tb_unreliable(AVCodecContext *c){
  1713. if( c->time_base.den >= 101L*c->time_base.num
  1714. || c->time_base.den < 5L*c->time_base.num
  1715. /* || c->codec_tag == AV_RL32("DIVX")
  1716. || c->codec_tag == AV_RL32("XVID")*/
  1717. || c->codec_id == CODEC_ID_MPEG2VIDEO)
  1718. return 1;
  1719. return 0;
  1720. }
  1721. int av_find_stream_info(AVFormatContext *ic)
  1722. {
  1723. int i, count, ret, read_size, j;
  1724. AVStream *st;
  1725. AVPacket pkt1, *pkt;
  1726. int64_t last_dts[MAX_STREAMS];
  1727. int duration_count[MAX_STREAMS]={0};
  1728. double (*duration_error)[MAX_STD_TIMEBASES];
  1729. int64_t old_offset = url_ftell(ic->pb);
  1730. int64_t codec_info_duration[MAX_STREAMS]={0};
  1731. int codec_info_nb_frames[MAX_STREAMS]={0};
  1732. duration_error = av_mallocz(MAX_STREAMS * sizeof(*duration_error));
  1733. if (!duration_error) return AVERROR(ENOMEM);
  1734. for(i=0;i<ic->nb_streams;i++) {
  1735. st = ic->streams[i];
  1736. if(st->codec->codec_type == CODEC_TYPE_VIDEO){
  1737. /* if(!st->time_base.num)
  1738. st->time_base= */
  1739. if(!st->codec->time_base.num)
  1740. st->codec->time_base= st->time_base;
  1741. }
  1742. //only for the split stuff
  1743. if (!st->parser) {
  1744. st->parser = av_parser_init(st->codec->codec_id);
  1745. if(st->need_parsing == AVSTREAM_PARSE_HEADERS && st->parser){
  1746. st->parser->flags |= PARSER_FLAG_COMPLETE_FRAMES;
  1747. }
  1748. }
  1749. }
  1750. for(i=0;i<MAX_STREAMS;i++){
  1751. last_dts[i]= AV_NOPTS_VALUE;
  1752. }
  1753. count = 0;
  1754. read_size = 0;
  1755. for(;;) {
  1756. /* check if one codec still needs to be handled */
  1757. for(i=0;i<ic->nb_streams;i++) {
  1758. st = ic->streams[i];
  1759. if (!has_codec_parameters(st->codec))
  1760. break;
  1761. /* variable fps and no guess at the real fps */
  1762. if( tb_unreliable(st->codec)
  1763. && duration_count[i]<20 && st->codec->codec_type == CODEC_TYPE_VIDEO)
  1764. break;
  1765. if(st->parser && st->parser->parser->split && !st->codec->extradata)
  1766. break;
  1767. if(st->first_dts == AV_NOPTS_VALUE)
  1768. break;
  1769. }
  1770. if (i == ic->nb_streams) {
  1771. /* NOTE: if the format has no header, then we need to read
  1772. some packets to get most of the streams, so we cannot
  1773. stop here */
  1774. if (!(ic->ctx_flags & AVFMTCTX_NOHEADER)) {
  1775. /* if we found the info for all the codecs, we can stop */
  1776. ret = count;
  1777. break;
  1778. }
  1779. }
  1780. /* we did not get all the codec info, but we read too much data */
  1781. if (read_size >= MAX_READ_SIZE) {
  1782. ret = count;
  1783. break;
  1784. }
  1785. /* NOTE: a new stream can be added there if no header in file
  1786. (AVFMTCTX_NOHEADER) */
  1787. ret = av_read_frame_internal(ic, &pkt1);
  1788. if (ret < 0) {
  1789. /* EOF or error */
  1790. ret = -1; /* we could not have all the codec parameters before EOF */
  1791. for(i=0;i<ic->nb_streams;i++) {
  1792. st = ic->streams[i];
  1793. if (!has_codec_parameters(st->codec)){
  1794. char buf[256];
  1795. avcodec_string(buf, sizeof(buf), st->codec, 0);
  1796. av_log(ic, AV_LOG_INFO, "Could not find codec parameters (%s)\n", buf);
  1797. } else {
  1798. ret = 0;
  1799. }
  1800. }
  1801. break;
  1802. }
  1803. pkt= add_to_pktbuf(&ic->packet_buffer, &pkt1, &ic->packet_buffer_end);
  1804. if(av_dup_packet(pkt) < 0) {
  1805. av_free(duration_error);
  1806. return AVERROR(ENOMEM);
  1807. }
  1808. read_size += pkt->size;
  1809. st = ic->streams[pkt->stream_index];
  1810. if(codec_info_nb_frames[st->index]>1)
  1811. codec_info_duration[st->index] += pkt->duration;
  1812. if (pkt->duration != 0)
  1813. codec_info_nb_frames[st->index]++;
  1814. {
  1815. int index= pkt->stream_index;
  1816. int64_t last= last_dts[index];
  1817. int64_t duration= pkt->dts - last;
  1818. if(pkt->dts != AV_NOPTS_VALUE && last != AV_NOPTS_VALUE && duration>0){
  1819. double dur= duration * av_q2d(st->time_base);
  1820. // if(st->codec->codec_type == CODEC_TYPE_VIDEO)
  1821. // av_log(NULL, AV_LOG_ERROR, "%f\n", dur);
  1822. if(duration_count[index] < 2)
  1823. memset(duration_error[index], 0, sizeof(*duration_error));
  1824. for(i=1; i<MAX_STD_TIMEBASES; i++){
  1825. int framerate= get_std_framerate(i);
  1826. int ticks= lrintf(dur*framerate/(1001*12));
  1827. double error= dur - ticks*1001*12/(double)framerate;
  1828. duration_error[index][i] += error*error;
  1829. }
  1830. duration_count[index]++;
  1831. }
  1832. if(last == AV_NOPTS_VALUE || duration_count[index]<=1)
  1833. last_dts[pkt->stream_index]= pkt->dts;
  1834. }
  1835. if(st->parser && st->parser->parser->split && !st->codec->extradata){
  1836. int i= st->parser->parser->split(st->codec, pkt->data, pkt->size);
  1837. if(i){
  1838. st->codec->extradata_size= i;
  1839. st->codec->extradata= av_malloc(st->codec->extradata_size + FF_INPUT_BUFFER_PADDING_SIZE);
  1840. memcpy(st->codec->extradata, pkt->data, st->codec->extradata_size);
  1841. memset(st->codec->extradata + i, 0, FF_INPUT_BUFFER_PADDING_SIZE);
  1842. }
  1843. }
  1844. /* if still no information, we try to open the codec and to
  1845. decompress the frame. We try to avoid that in most cases as
  1846. it takes longer and uses more memory. For MPEG-4, we need to
  1847. decompress for QuickTime. */
  1848. if (!has_codec_parameters(st->codec) /*&&
  1849. (st->codec->codec_id == CODEC_ID_FLV1 ||
  1850. st->codec->codec_id == CODEC_ID_H264 ||
  1851. st->codec->codec_id == CODEC_ID_H263 ||
  1852. st->codec->codec_id == CODEC_ID_H261 ||
  1853. st->codec->codec_id == CODEC_ID_VORBIS ||
  1854. st->codec->codec_id == CODEC_ID_MJPEG ||
  1855. st->codec->codec_id == CODEC_ID_PNG ||
  1856. st->codec->codec_id == CODEC_ID_PAM ||
  1857. st->codec->codec_id == CODEC_ID_PGM ||
  1858. st->codec->codec_id == CODEC_ID_PGMYUV ||
  1859. st->codec->codec_id == CODEC_ID_PBM ||
  1860. st->codec->codec_id == CODEC_ID_PPM ||
  1861. st->codec->codec_id == CODEC_ID_SHORTEN ||
  1862. (st->codec->codec_id == CODEC_ID_MPEG4 && !st->need_parsing))*/)
  1863. try_decode_frame(st, pkt->data, pkt->size);
  1864. if (st->time_base.den > 0 && av_rescale_q(codec_info_duration[st->index], st->time_base, AV_TIME_BASE_Q) >= ic->max_analyze_duration) {
  1865. break;
  1866. }
  1867. count++;
  1868. }
  1869. // close codecs which were opened in try_decode_frame()
  1870. for(i=0;i<ic->nb_streams;i++) {
  1871. st = ic->streams[i];
  1872. if(st->codec->codec)
  1873. avcodec_close(st->codec);
  1874. }
  1875. for(i=0;i<ic->nb_streams;i++) {
  1876. st = ic->streams[i];
  1877. if (st->codec->codec_type == CODEC_TYPE_VIDEO) {
  1878. if(st->codec->codec_id == CODEC_ID_RAWVIDEO && !st->codec->codec_tag && !st->codec->bits_per_coded_sample)
  1879. st->codec->codec_tag= avcodec_pix_fmt_to_codec_tag(st->codec->pix_fmt);
  1880. if(duration_count[i]
  1881. && tb_unreliable(st->codec) /*&&
  1882. //FIXME we should not special-case MPEG-2, but this needs testing with non-MPEG-2 ...
  1883. st->time_base.num*duration_sum[i]/duration_count[i]*101LL > st->time_base.den*/){
  1884. double best_error= 2*av_q2d(st->time_base);
  1885. best_error= best_error*best_error*duration_count[i]*1000*12*30;
  1886. for(j=1; j<MAX_STD_TIMEBASES; j++){
  1887. double error= duration_error[i][j] * get_std_framerate(j);
  1888. // if(st->codec->codec_type == CODEC_TYPE_VIDEO)
  1889. // av_log(NULL, AV_LOG_ERROR, "%f %f\n", get_std_framerate(j) / 12.0/1001, error);
  1890. if(error < best_error){
  1891. best_error= error;
  1892. av_reduce(&st->r_frame_rate.num, &st->r_frame_rate.den, get_std_framerate(j), 12*1001, INT_MAX);
  1893. }
  1894. }
  1895. }
  1896. if (!st->r_frame_rate.num){
  1897. if( st->codec->time_base.den * (int64_t)st->time_base.num
  1898. <= st->codec->time_base.num * (int64_t)st->time_base.den){
  1899. st->r_frame_rate.num = st->codec->time_base.den;
  1900. st->r_frame_rate.den = st->codec->time_base.num;
  1901. }else{
  1902. st->r_frame_rate.num = st->time_base.den;
  1903. st->r_frame_rate.den = st->time_base.num;
  1904. }
  1905. }
  1906. }else if(st->codec->codec_type == CODEC_TYPE_AUDIO) {
  1907. if(!st->codec->bits_per_coded_sample)
  1908. st->codec->bits_per_coded_sample= av_get_bits_per_sample(st->codec->codec_id);
  1909. }
  1910. }
  1911. av_estimate_timings(ic, old_offset);
  1912. compute_chapters_end(ic);
  1913. #if 0
  1914. /* correct DTS for B-frame streams with no timestamps */
  1915. for(i=0;i<ic->nb_streams;i++) {
  1916. st = ic->streams[i];
  1917. if (st->codec->codec_type == CODEC_TYPE_VIDEO) {
  1918. if(b-frames){
  1919. ppktl = &ic->packet_buffer;
  1920. while(ppkt1){
  1921. if(ppkt1->stream_index != i)
  1922. continue;
  1923. if(ppkt1->pkt->dts < 0)
  1924. break;
  1925. if(ppkt1->pkt->pts != AV_NOPTS_VALUE)
  1926. break;
  1927. ppkt1->pkt->dts -= delta;
  1928. ppkt1= ppkt1->next;
  1929. }
  1930. if(ppkt1)
  1931. continue;
  1932. st->cur_dts -= delta;
  1933. }
  1934. }
  1935. }
  1936. #endif
  1937. av_free(duration_error);
  1938. return ret;
  1939. }
  1940. /*******************************************************/
  1941. int av_read_play(AVFormatContext *s)
  1942. {
  1943. if (s->iformat->read_play)
  1944. return s->iformat->read_play(s);
  1945. if (s->pb)
  1946. return av_url_read_fpause(s->pb, 0);
  1947. return AVERROR(ENOSYS);
  1948. }
  1949. int av_read_pause(AVFormatContext *s)
  1950. {
  1951. if (s->iformat->read_pause)
  1952. return s->iformat->read_pause(s);
  1953. if (s->pb)
  1954. return av_url_read_fpause(s->pb, 1);
  1955. return AVERROR(ENOSYS);
  1956. }
  1957. void av_close_input_stream(AVFormatContext *s)
  1958. {
  1959. int i;
  1960. AVStream *st;
  1961. /* free previous packet */
  1962. if (s->cur_st && s->cur_st->parser)
  1963. av_free_packet(&s->cur_pkt);
  1964. if (s->iformat->read_close)
  1965. s->iformat->read_close(s);
  1966. for(i=0;i<s->nb_streams;i++) {
  1967. /* free all data in a stream component */
  1968. st = s->streams[i];
  1969. if (st->parser) {
  1970. av_parser_close(st->parser);
  1971. }
  1972. av_metadata_free(&st->metadata);
  1973. av_free(st->index_entries);
  1974. av_free(st->codec->extradata);
  1975. av_free(st->codec);
  1976. av_free(st->filename);
  1977. av_free(st->priv_data);
  1978. av_free(st);
  1979. }
  1980. for(i=s->nb_programs-1; i>=0; i--) {
  1981. av_freep(&s->programs[i]->provider_name);
  1982. av_freep(&s->programs[i]->name);
  1983. av_metadata_free(&s->programs[i]->metadata);
  1984. av_freep(&s->programs[i]->stream_index);
  1985. av_freep(&s->programs[i]);
  1986. }
  1987. av_freep(&s->programs);
  1988. flush_packet_queue(s);
  1989. av_freep(&s->priv_data);
  1990. while(s->nb_chapters--) {
  1991. av_free(s->chapters[s->nb_chapters]->title);
  1992. av_metadata_free(&s->chapters[s->nb_chapters]->metadata);
  1993. av_free(s->chapters[s->nb_chapters]);
  1994. }
  1995. av_freep(&s->chapters);
  1996. av_metadata_free(&s->metadata);
  1997. av_free(s);
  1998. }
  1999. void av_close_input_file(AVFormatContext *s)
  2000. {
  2001. ByteIOContext *pb = s->iformat->flags & AVFMT_NOFILE ? NULL : s->pb;
  2002. av_close_input_stream(s);
  2003. if (pb)
  2004. url_fclose(pb);
  2005. }
  2006. AVStream *av_new_stream(AVFormatContext *s, int id)
  2007. {
  2008. AVStream *st;
  2009. int i;
  2010. if (s->nb_streams >= MAX_STREAMS)
  2011. return NULL;
  2012. st = av_mallocz(sizeof(AVStream));
  2013. if (!st)
  2014. return NULL;
  2015. st->codec= avcodec_alloc_context();
  2016. if (s->iformat) {
  2017. /* no default bitrate if decoding */
  2018. st->codec->bit_rate = 0;
  2019. }
  2020. st->index = s->nb_streams;
  2021. st->id = id;
  2022. st->start_time = AV_NOPTS_VALUE;
  2023. st->duration = AV_NOPTS_VALUE;
  2024. /* we set the current DTS to 0 so that formats without any timestamps
  2025. but durations get some timestamps, formats with some unknown
  2026. timestamps have their first few packets buffered and the
  2027. timestamps corrected before they are returned to the user */
  2028. st->cur_dts = 0;
  2029. st->first_dts = AV_NOPTS_VALUE;
  2030. /* default pts setting is MPEG-like */
  2031. av_set_pts_info(st, 33, 1, 90000);
  2032. st->last_IP_pts = AV_NOPTS_VALUE;
  2033. for(i=0; i<MAX_REORDER_DELAY+1; i++)
  2034. st->pts_buffer[i]= AV_NOPTS_VALUE;
  2035. st->sample_aspect_ratio = (AVRational){0,1};
  2036. s->streams[s->nb_streams++] = st;
  2037. return st;
  2038. }
  2039. AVProgram *av_new_program(AVFormatContext *ac, int id)
  2040. {
  2041. AVProgram *program=NULL;
  2042. int i;
  2043. #ifdef DEBUG_SI
  2044. av_log(ac, AV_LOG_DEBUG, "new_program: id=0x%04x\n", id);
  2045. #endif
  2046. for(i=0; i<ac->nb_programs; i++)
  2047. if(ac->programs[i]->id == id)
  2048. program = ac->programs[i];
  2049. if(!program){
  2050. program = av_mallocz(sizeof(AVProgram));
  2051. if (!program)
  2052. return NULL;
  2053. dynarray_add(&ac->programs, &ac->nb_programs, program);
  2054. program->discard = AVDISCARD_NONE;
  2055. }
  2056. program->id = id;
  2057. return program;
  2058. }
  2059. void av_set_program_name(AVProgram *program, char *provider_name, char *name)
  2060. {
  2061. assert(!provider_name == !name);
  2062. if(name){
  2063. av_free(program->provider_name);
  2064. av_free(program-> name);
  2065. program->provider_name = av_strdup(provider_name);
  2066. program-> name = av_strdup( name);
  2067. }
  2068. }
  2069. AVChapter *ff_new_chapter(AVFormatContext *s, int id, AVRational time_base, int64_t start, int64_t end, const char *title)
  2070. {
  2071. AVChapter *chapter = NULL;
  2072. int i;
  2073. for(i=0; i<s->nb_chapters; i++)
  2074. if(s->chapters[i]->id == id)
  2075. chapter = s->chapters[i];
  2076. if(!chapter){
  2077. chapter= av_mallocz(sizeof(AVChapter));
  2078. if(!chapter)
  2079. return NULL;
  2080. dynarray_add(&s->chapters, &s->nb_chapters, chapter);
  2081. }
  2082. av_free(chapter->title);
  2083. chapter->title = av_strdup(title);
  2084. chapter->id = id;
  2085. chapter->time_base= time_base;
  2086. chapter->start = start;
  2087. chapter->end = end;
  2088. return chapter;
  2089. }
  2090. /************************************************************/
  2091. /* output media file */
  2092. int av_set_parameters(AVFormatContext *s, AVFormatParameters *ap)
  2093. {
  2094. int ret;
  2095. if (s->oformat->priv_data_size > 0) {
  2096. s->priv_data = av_mallocz(s->oformat->priv_data_size);
  2097. if (!s->priv_data)
  2098. return AVERROR(ENOMEM);
  2099. } else
  2100. s->priv_data = NULL;
  2101. if (s->oformat->set_parameters) {
  2102. ret = s->oformat->set_parameters(s, ap);
  2103. if (ret < 0)
  2104. return ret;
  2105. }
  2106. return 0;
  2107. }
  2108. int av_write_header(AVFormatContext *s)
  2109. {
  2110. int ret, i;
  2111. AVStream *st;
  2112. // some sanity checks
  2113. for(i=0;i<s->nb_streams;i++) {
  2114. st = s->streams[i];
  2115. switch (st->codec->codec_type) {
  2116. case CODEC_TYPE_AUDIO:
  2117. if(st->codec->sample_rate<=0){
  2118. av_log(s, AV_LOG_ERROR, "sample rate not set\n");
  2119. return -1;
  2120. }
  2121. if(!st->codec->block_align)
  2122. st->codec->block_align = st->codec->channels *
  2123. av_get_bits_per_sample(st->codec->codec_id) >> 3;
  2124. break;
  2125. case CODEC_TYPE_VIDEO:
  2126. if(st->codec->time_base.num<=0 || st->codec->time_base.den<=0){ //FIXME audio too?
  2127. av_log(s, AV_LOG_ERROR, "time base not set\n");
  2128. return -1;
  2129. }
  2130. if(st->codec->width<=0 || st->codec->height<=0){
  2131. av_log(s, AV_LOG_ERROR, "dimensions not set\n");
  2132. return -1;
  2133. }
  2134. if(av_cmp_q(st->sample_aspect_ratio, st->codec->sample_aspect_ratio)){
  2135. av_log(s, AV_LOG_ERROR, "Aspect ratio mismatch between encoder and muxer layer\n");
  2136. return -1;
  2137. }
  2138. break;
  2139. }
  2140. if(s->oformat->codec_tag){
  2141. if(st->codec->codec_tag){
  2142. //FIXME
  2143. //check that tag + id is in the table
  2144. //if neither is in the table -> OK
  2145. //if tag is in the table with another id -> FAIL
  2146. //if id is in the table with another tag -> FAIL unless strict < ?
  2147. }else
  2148. st->codec->codec_tag= av_codec_get_tag(s->oformat->codec_tag, st->codec->codec_id);
  2149. }
  2150. }
  2151. if (!s->priv_data && s->oformat->priv_data_size > 0) {
  2152. s->priv_data = av_mallocz(s->oformat->priv_data_size);
  2153. if (!s->priv_data)
  2154. return AVERROR(ENOMEM);
  2155. }
  2156. #if LIBAVFORMAT_VERSION_MAJOR < 53
  2157. ff_metadata_mux_compat(s);
  2158. #endif
  2159. if(s->oformat->write_header){
  2160. ret = s->oformat->write_header(s);
  2161. if (ret < 0)
  2162. return ret;
  2163. }
  2164. /* init PTS generation */
  2165. for(i=0;i<s->nb_streams;i++) {
  2166. int64_t den = AV_NOPTS_VALUE;
  2167. st = s->streams[i];
  2168. switch (st->codec->codec_type) {
  2169. case CODEC_TYPE_AUDIO:
  2170. den = (int64_t)st->time_base.num * st->codec->sample_rate;
  2171. break;
  2172. case CODEC_TYPE_VIDEO:
  2173. den = (int64_t)st->time_base.num * st->codec->time_base.den;
  2174. break;
  2175. default:
  2176. break;
  2177. }
  2178. if (den != AV_NOPTS_VALUE) {
  2179. if (den <= 0)
  2180. return AVERROR_INVALIDDATA;
  2181. av_frac_init(&st->pts, 0, 0, den);
  2182. }
  2183. }
  2184. return 0;
  2185. }
  2186. //FIXME merge with compute_pkt_fields
  2187. static int compute_pkt_fields2(AVStream *st, AVPacket *pkt){
  2188. int delay = FFMAX(st->codec->has_b_frames, !!st->codec->max_b_frames);
  2189. int num, den, frame_size, i;
  2190. // av_log(st->codec, AV_LOG_DEBUG, "av_write_frame: pts:%"PRId64" dts:%"PRId64" cur_dts:%"PRId64" b:%d size:%d st:%d\n", pkt->pts, pkt->dts, st->cur_dts, delay, pkt->size, pkt->stream_index);
  2191. /* if(pkt->pts == AV_NOPTS_VALUE && pkt->dts == AV_NOPTS_VALUE)
  2192. return -1;*/
  2193. /* duration field */
  2194. if (pkt->duration == 0) {
  2195. compute_frame_duration(&num, &den, st, NULL, pkt);
  2196. if (den && num) {
  2197. pkt->duration = av_rescale(1, num * (int64_t)st->time_base.den, den * (int64_t)st->time_base.num);
  2198. }
  2199. }
  2200. if(pkt->pts == AV_NOPTS_VALUE && pkt->dts != AV_NOPTS_VALUE && delay==0)
  2201. pkt->pts= pkt->dts;
  2202. //XXX/FIXME this is a temporary hack until all encoders output pts
  2203. if((pkt->pts == 0 || pkt->pts == AV_NOPTS_VALUE) && pkt->dts == AV_NOPTS_VALUE && !delay){
  2204. pkt->dts=
  2205. // pkt->pts= st->cur_dts;
  2206. pkt->pts= st->pts.val;
  2207. }
  2208. //calculate dts from pts
  2209. if(pkt->pts != AV_NOPTS_VALUE && pkt->dts == AV_NOPTS_VALUE && delay <= MAX_REORDER_DELAY){
  2210. st->pts_buffer[0]= pkt->pts;
  2211. for(i=1; i<delay+1 && st->pts_buffer[i] == AV_NOPTS_VALUE; i++)
  2212. st->pts_buffer[i]= (i-delay-1) * pkt->duration;
  2213. for(i=0; i<delay && st->pts_buffer[i] > st->pts_buffer[i+1]; i++)
  2214. FFSWAP(int64_t, st->pts_buffer[i], st->pts_buffer[i+1]);
  2215. pkt->dts= st->pts_buffer[0];
  2216. }
  2217. if(st->cur_dts && st->cur_dts != AV_NOPTS_VALUE && st->cur_dts >= pkt->dts){
  2218. av_log(st->codec, AV_LOG_ERROR, "error, non monotone timestamps %"PRId64" >= %"PRId64"\n", st->cur_dts, pkt->dts);
  2219. return -1;
  2220. }
  2221. if(pkt->dts != AV_NOPTS_VALUE && pkt->pts != AV_NOPTS_VALUE && pkt->pts < pkt->dts){
  2222. av_log(st->codec, AV_LOG_ERROR, "error, pts < dts\n");
  2223. return -1;
  2224. }
  2225. // av_log(NULL, AV_LOG_DEBUG, "av_write_frame: pts2:%"PRId64" dts2:%"PRId64"\n", pkt->pts, pkt->dts);
  2226. st->cur_dts= pkt->dts;
  2227. st->pts.val= pkt->dts;
  2228. /* update pts */
  2229. switch (st->codec->codec_type) {
  2230. case CODEC_TYPE_AUDIO:
  2231. frame_size = get_audio_frame_size(st->codec, pkt->size);
  2232. /* HACK/FIXME, we skip the initial 0 size packets as they are most
  2233. likely equal to the encoder delay, but it would be better if we
  2234. had the real timestamps from the encoder */
  2235. if (frame_size >= 0 && (pkt->size || st->pts.num!=st->pts.den>>1 || st->pts.val)) {
  2236. av_frac_add(&st->pts, (int64_t)st->time_base.den * frame_size);
  2237. }
  2238. break;
  2239. case CODEC_TYPE_VIDEO:
  2240. av_frac_add(&st->pts, (int64_t)st->time_base.den * st->codec->time_base.num);
  2241. break;
  2242. default:
  2243. break;
  2244. }
  2245. return 0;
  2246. }
  2247. int av_write_frame(AVFormatContext *s, AVPacket *pkt)
  2248. {
  2249. int ret = compute_pkt_fields2(s->streams[pkt->stream_index], pkt);
  2250. if(ret<0 && !(s->oformat->flags & AVFMT_NOTIMESTAMPS))
  2251. return ret;
  2252. ret= s->oformat->write_packet(s, pkt);
  2253. if(!ret)
  2254. ret= url_ferror(s->pb);
  2255. return ret;
  2256. }
  2257. int av_interleave_packet_per_dts(AVFormatContext *s, AVPacket *out, AVPacket *pkt, int flush){
  2258. AVPacketList *pktl, **next_point, *this_pktl;
  2259. int stream_count=0;
  2260. int streams[MAX_STREAMS];
  2261. if(pkt){
  2262. AVStream *st= s->streams[ pkt->stream_index];
  2263. // assert(pkt->destruct != av_destruct_packet); //FIXME
  2264. this_pktl = av_mallocz(sizeof(AVPacketList));
  2265. this_pktl->pkt= *pkt;
  2266. if(pkt->destruct == av_destruct_packet)
  2267. pkt->destruct= NULL; // not shared -> must keep original from being freed
  2268. else
  2269. av_dup_packet(&this_pktl->pkt); //shared -> must dup
  2270. next_point = &s->packet_buffer;
  2271. while(*next_point){
  2272. AVStream *st2= s->streams[ (*next_point)->pkt.stream_index];
  2273. int64_t left= st2->time_base.num * (int64_t)st ->time_base.den;
  2274. int64_t right= st ->time_base.num * (int64_t)st2->time_base.den;
  2275. if((*next_point)->pkt.dts * left > pkt->dts * right) //FIXME this can overflow
  2276. break;
  2277. next_point= &(*next_point)->next;
  2278. }
  2279. this_pktl->next= *next_point;
  2280. *next_point= this_pktl;
  2281. }
  2282. memset(streams, 0, sizeof(streams));
  2283. pktl= s->packet_buffer;
  2284. while(pktl){
  2285. //av_log(s, AV_LOG_DEBUG, "show st:%d dts:%"PRId64"\n", pktl->pkt.stream_index, pktl->pkt.dts);
  2286. if(streams[ pktl->pkt.stream_index ] == 0)
  2287. stream_count++;
  2288. streams[ pktl->pkt.stream_index ]++;
  2289. pktl= pktl->next;
  2290. }
  2291. if(stream_count && (s->nb_streams == stream_count || flush)){
  2292. pktl= s->packet_buffer;
  2293. *out= pktl->pkt;
  2294. s->packet_buffer= pktl->next;
  2295. av_freep(&pktl);
  2296. return 1;
  2297. }else{
  2298. av_init_packet(out);
  2299. return 0;
  2300. }
  2301. }
  2302. /**
  2303. * Interleaves an AVPacket correctly so it can be muxed.
  2304. * @param out the interleaved packet will be output here
  2305. * @param in the input packet
  2306. * @param flush 1 if no further packets are available as input and all
  2307. * remaining packets should be output
  2308. * @return 1 if a packet was output, 0 if no packet could be output,
  2309. * < 0 if an error occurred
  2310. */
  2311. static int av_interleave_packet(AVFormatContext *s, AVPacket *out, AVPacket *in, int flush){
  2312. if(s->oformat->interleave_packet)
  2313. return s->oformat->interleave_packet(s, out, in, flush);
  2314. else
  2315. return av_interleave_packet_per_dts(s, out, in, flush);
  2316. }
  2317. int av_interleaved_write_frame(AVFormatContext *s, AVPacket *pkt){
  2318. AVStream *st= s->streams[ pkt->stream_index];
  2319. //FIXME/XXX/HACK drop zero sized packets
  2320. if(st->codec->codec_type == CODEC_TYPE_AUDIO && pkt->size==0)
  2321. return 0;
  2322. //av_log(NULL, AV_LOG_DEBUG, "av_interleaved_write_frame %d %"PRId64" %"PRId64"\n", pkt->size, pkt->dts, pkt->pts);
  2323. if(compute_pkt_fields2(st, pkt) < 0 && !(s->oformat->flags & AVFMT_NOTIMESTAMPS))
  2324. return -1;
  2325. if(pkt->dts == AV_NOPTS_VALUE)
  2326. return -1;
  2327. for(;;){
  2328. AVPacket opkt;
  2329. int ret= av_interleave_packet(s, &opkt, pkt, 0);
  2330. if(ret<=0) //FIXME cleanup needed for ret<0 ?
  2331. return ret;
  2332. ret= s->oformat->write_packet(s, &opkt);
  2333. av_free_packet(&opkt);
  2334. pkt= NULL;
  2335. if(ret<0)
  2336. return ret;
  2337. if(url_ferror(s->pb))
  2338. return url_ferror(s->pb);
  2339. }
  2340. }
  2341. int av_write_trailer(AVFormatContext *s)
  2342. {
  2343. int ret, i;
  2344. for(;;){
  2345. AVPacket pkt;
  2346. ret= av_interleave_packet(s, &pkt, NULL, 1);
  2347. if(ret<0) //FIXME cleanup needed for ret<0 ?
  2348. goto fail;
  2349. if(!ret)
  2350. break;
  2351. ret= s->oformat->write_packet(s, &pkt);
  2352. av_free_packet(&pkt);
  2353. if(ret<0)
  2354. goto fail;
  2355. if(url_ferror(s->pb))
  2356. goto fail;
  2357. }
  2358. if(s->oformat->write_trailer)
  2359. ret = s->oformat->write_trailer(s);
  2360. fail:
  2361. if(ret == 0)
  2362. ret=url_ferror(s->pb);
  2363. for(i=0;i<s->nb_streams;i++)
  2364. av_freep(&s->streams[i]->priv_data);
  2365. av_freep(&s->priv_data);
  2366. return ret;
  2367. }
  2368. void av_program_add_stream_index(AVFormatContext *ac, int progid, unsigned int idx)
  2369. {
  2370. int i, j;
  2371. AVProgram *program=NULL;
  2372. void *tmp;
  2373. for(i=0; i<ac->nb_programs; i++){
  2374. if(ac->programs[i]->id != progid)
  2375. continue;
  2376. program = ac->programs[i];
  2377. for(j=0; j<program->nb_stream_indexes; j++)
  2378. if(program->stream_index[j] == idx)
  2379. return;
  2380. tmp = av_realloc(program->stream_index, sizeof(unsigned int)*(program->nb_stream_indexes+1));
  2381. if(!tmp)
  2382. return;
  2383. program->stream_index = tmp;
  2384. program->stream_index[program->nb_stream_indexes++] = idx;
  2385. return;
  2386. }
  2387. }
  2388. /* "user interface" functions */
  2389. static void dump_stream_format(AVFormatContext *ic, int i, int index, int is_output)
  2390. {
  2391. char buf[256];
  2392. int flags = (is_output ? ic->oformat->flags : ic->iformat->flags);
  2393. AVStream *st = ic->streams[i];
  2394. int g = av_gcd(st->time_base.num, st->time_base.den);
  2395. avcodec_string(buf, sizeof(buf), st->codec, is_output);
  2396. av_log(NULL, AV_LOG_INFO, " Stream #%d.%d", index, i);
  2397. /* the pid is an important information, so we display it */
  2398. /* XXX: add a generic system */
  2399. if (flags & AVFMT_SHOW_IDS)
  2400. av_log(NULL, AV_LOG_INFO, "[0x%x]", st->id);
  2401. if (strlen(st->language) > 0)
  2402. av_log(NULL, AV_LOG_INFO, "(%s)", st->language);
  2403. av_log(NULL, AV_LOG_DEBUG, ", %d/%d", st->time_base.num/g, st->time_base.den/g);
  2404. av_log(NULL, AV_LOG_INFO, ": %s", buf);
  2405. if(st->codec->codec_type == CODEC_TYPE_VIDEO){
  2406. if(st->r_frame_rate.den && st->r_frame_rate.num)
  2407. av_log(NULL, AV_LOG_INFO, ", %5.2f tb(r)", av_q2d(st->r_frame_rate));
  2408. /* else if(st->time_base.den && st->time_base.num)
  2409. av_log(NULL, AV_LOG_INFO, ", %5.2f tb(m)", 1/av_q2d(st->time_base));*/
  2410. else
  2411. av_log(NULL, AV_LOG_INFO, ", %5.2f tb(c)", 1/av_q2d(st->codec->time_base));
  2412. }
  2413. av_log(NULL, AV_LOG_INFO, "\n");
  2414. }
  2415. void dump_format(AVFormatContext *ic,
  2416. int index,
  2417. const char *url,
  2418. int is_output)
  2419. {
  2420. int i;
  2421. av_log(NULL, AV_LOG_INFO, "%s #%d, %s, %s '%s':\n",
  2422. is_output ? "Output" : "Input",
  2423. index,
  2424. is_output ? ic->oformat->name : ic->iformat->name,
  2425. is_output ? "to" : "from", url);
  2426. if (!is_output) {
  2427. av_log(NULL, AV_LOG_INFO, " Duration: ");
  2428. if (ic->duration != AV_NOPTS_VALUE) {
  2429. int hours, mins, secs, us;
  2430. secs = ic->duration / AV_TIME_BASE;
  2431. us = ic->duration % AV_TIME_BASE;
  2432. mins = secs / 60;
  2433. secs %= 60;
  2434. hours = mins / 60;
  2435. mins %= 60;
  2436. av_log(NULL, AV_LOG_INFO, "%02d:%02d:%02d.%02d", hours, mins, secs,
  2437. (100 * us) / AV_TIME_BASE);
  2438. } else {
  2439. av_log(NULL, AV_LOG_INFO, "N/A");
  2440. }
  2441. if (ic->start_time != AV_NOPTS_VALUE) {
  2442. int secs, us;
  2443. av_log(NULL, AV_LOG_INFO, ", start: ");
  2444. secs = ic->start_time / AV_TIME_BASE;
  2445. us = ic->start_time % AV_TIME_BASE;
  2446. av_log(NULL, AV_LOG_INFO, "%d.%06d",
  2447. secs, (int)av_rescale(us, 1000000, AV_TIME_BASE));
  2448. }
  2449. av_log(NULL, AV_LOG_INFO, ", bitrate: ");
  2450. if (ic->bit_rate) {
  2451. av_log(NULL, AV_LOG_INFO,"%d kb/s", ic->bit_rate / 1000);
  2452. } else {
  2453. av_log(NULL, AV_LOG_INFO, "N/A");
  2454. }
  2455. av_log(NULL, AV_LOG_INFO, "\n");
  2456. }
  2457. if(ic->nb_programs) {
  2458. int j, k;
  2459. for(j=0; j<ic->nb_programs; j++) {
  2460. av_log(NULL, AV_LOG_INFO, " Program %d %s\n", ic->programs[j]->id,
  2461. ic->programs[j]->name ? ic->programs[j]->name : "");
  2462. for(k=0; k<ic->programs[j]->nb_stream_indexes; k++)
  2463. dump_stream_format(ic, ic->programs[j]->stream_index[k], index, is_output);
  2464. }
  2465. } else
  2466. for(i=0;i<ic->nb_streams;i++)
  2467. dump_stream_format(ic, i, index, is_output);
  2468. }
  2469. #if LIBAVFORMAT_VERSION_MAJOR < 53
  2470. int parse_image_size(int *width_ptr, int *height_ptr, const char *str)
  2471. {
  2472. return av_parse_video_frame_size(width_ptr, height_ptr, str);
  2473. }
  2474. int parse_frame_rate(int *frame_rate_num, int *frame_rate_den, const char *arg)
  2475. {
  2476. AVRational frame_rate;
  2477. int ret = av_parse_video_frame_rate(&frame_rate, arg);
  2478. *frame_rate_num= frame_rate.num;
  2479. *frame_rate_den= frame_rate.den;
  2480. return ret;
  2481. }
  2482. #endif
  2483. int64_t av_gettime(void)
  2484. {
  2485. struct timeval tv;
  2486. gettimeofday(&tv,NULL);
  2487. return (int64_t)tv.tv_sec * 1000000 + tv.tv_usec;
  2488. }
  2489. int64_t parse_date(const char *datestr, int duration)
  2490. {
  2491. const char *p;
  2492. int64_t t;
  2493. struct tm dt;
  2494. int i;
  2495. static const char * const date_fmt[] = {
  2496. "%Y-%m-%d",
  2497. "%Y%m%d",
  2498. };
  2499. static const char * const time_fmt[] = {
  2500. "%H:%M:%S",
  2501. "%H%M%S",
  2502. };
  2503. const char *q;
  2504. int is_utc, len;
  2505. char lastch;
  2506. int negative = 0;
  2507. #undef time
  2508. time_t now = time(0);
  2509. len = strlen(datestr);
  2510. if (len > 0)
  2511. lastch = datestr[len - 1];
  2512. else
  2513. lastch = '\0';
  2514. is_utc = (lastch == 'z' || lastch == 'Z');
  2515. memset(&dt, 0, sizeof(dt));
  2516. p = datestr;
  2517. q = NULL;
  2518. if (!duration) {
  2519. /* parse the year-month-day part */
  2520. for (i = 0; i < FF_ARRAY_ELEMS(date_fmt); i++) {
  2521. q = small_strptime(p, date_fmt[i], &dt);
  2522. if (q) {
  2523. break;
  2524. }
  2525. }
  2526. /* if the year-month-day part is missing, then take the
  2527. * current year-month-day time */
  2528. if (!q) {
  2529. if (is_utc) {
  2530. dt = *gmtime(&now);
  2531. } else {
  2532. dt = *localtime(&now);
  2533. }
  2534. dt.tm_hour = dt.tm_min = dt.tm_sec = 0;
  2535. } else {
  2536. p = q;
  2537. }
  2538. if (*p == 'T' || *p == 't' || *p == ' ')
  2539. p++;
  2540. /* parse the hour-minute-second part */
  2541. for (i = 0; i < FF_ARRAY_ELEMS(time_fmt); i++) {
  2542. q = small_strptime(p, time_fmt[i], &dt);
  2543. if (q) {
  2544. break;
  2545. }
  2546. }
  2547. } else {
  2548. /* parse datestr as a duration */
  2549. if (p[0] == '-') {
  2550. negative = 1;
  2551. ++p;
  2552. }
  2553. /* parse datestr as HH:MM:SS */
  2554. q = small_strptime(p, time_fmt[0], &dt);
  2555. if (!q) {
  2556. /* parse datestr as S+ */
  2557. dt.tm_sec = strtol(p, (char **)&q, 10);
  2558. if (q == p)
  2559. /* the parsing didn't succeed */
  2560. return INT64_MIN;
  2561. dt.tm_min = 0;
  2562. dt.tm_hour = 0;
  2563. }
  2564. }
  2565. /* Now we have all the fields that we can get */
  2566. if (!q) {
  2567. return INT64_MIN;
  2568. }
  2569. if (duration) {
  2570. t = dt.tm_hour * 3600 + dt.tm_min * 60 + dt.tm_sec;
  2571. } else {
  2572. dt.tm_isdst = -1; /* unknown */
  2573. if (is_utc) {
  2574. t = mktimegm(&dt);
  2575. } else {
  2576. t = mktime(&dt);
  2577. }
  2578. }
  2579. t *= 1000000;
  2580. /* parse the .m... part */
  2581. if (*q == '.') {
  2582. int val, n;
  2583. q++;
  2584. for (val = 0, n = 100000; n >= 1; n /= 10, q++) {
  2585. if (!isdigit(*q))
  2586. break;
  2587. val += n * (*q - '0');
  2588. }
  2589. t += val;
  2590. }
  2591. return negative ? -t : t;
  2592. }
  2593. int find_info_tag(char *arg, int arg_size, const char *tag1, const char *info)
  2594. {
  2595. const char *p;
  2596. char tag[128], *q;
  2597. p = info;
  2598. if (*p == '?')
  2599. p++;
  2600. for(;;) {
  2601. q = tag;
  2602. while (*p != '\0' && *p != '=' && *p != '&') {
  2603. if ((q - tag) < sizeof(tag) - 1)
  2604. *q++ = *p;
  2605. p++;
  2606. }
  2607. *q = '\0';
  2608. q = arg;
  2609. if (*p == '=') {
  2610. p++;
  2611. while (*p != '&' && *p != '\0') {
  2612. if ((q - arg) < arg_size - 1) {
  2613. if (*p == '+')
  2614. *q++ = ' ';
  2615. else
  2616. *q++ = *p;
  2617. }
  2618. p++;
  2619. }
  2620. *q = '\0';
  2621. }
  2622. if (!strcmp(tag, tag1))
  2623. return 1;
  2624. if (*p != '&')
  2625. break;
  2626. p++;
  2627. }
  2628. return 0;
  2629. }
  2630. int av_get_frame_filename(char *buf, int buf_size,
  2631. const char *path, int number)
  2632. {
  2633. const char *p;
  2634. char *q, buf1[20], c;
  2635. int nd, len, percentd_found;
  2636. q = buf;
  2637. p = path;
  2638. percentd_found = 0;
  2639. for(;;) {
  2640. c = *p++;
  2641. if (c == '\0')
  2642. break;
  2643. if (c == '%') {
  2644. do {
  2645. nd = 0;
  2646. while (isdigit(*p)) {
  2647. nd = nd * 10 + *p++ - '0';
  2648. }
  2649. c = *p++;
  2650. } while (isdigit(c));
  2651. switch(c) {
  2652. case '%':
  2653. goto addchar;
  2654. case 'd':
  2655. if (percentd_found)
  2656. goto fail;
  2657. percentd_found = 1;
  2658. snprintf(buf1, sizeof(buf1), "%0*d", nd, number);
  2659. len = strlen(buf1);
  2660. if ((q - buf + len) > buf_size - 1)
  2661. goto fail;
  2662. memcpy(q, buf1, len);
  2663. q += len;
  2664. break;
  2665. default:
  2666. goto fail;
  2667. }
  2668. } else {
  2669. addchar:
  2670. if ((q - buf) < buf_size - 1)
  2671. *q++ = c;
  2672. }
  2673. }
  2674. if (!percentd_found)
  2675. goto fail;
  2676. *q = '\0';
  2677. return 0;
  2678. fail:
  2679. *q = '\0';
  2680. return -1;
  2681. }
  2682. static void hex_dump_internal(void *avcl, FILE *f, int level, uint8_t *buf, int size)
  2683. {
  2684. int len, i, j, c;
  2685. #define PRINT(...) do { if (!f) av_log(avcl, level, __VA_ARGS__); else fprintf(f, __VA_ARGS__); } while(0)
  2686. for(i=0;i<size;i+=16) {
  2687. len = size - i;
  2688. if (len > 16)
  2689. len = 16;
  2690. PRINT("%08x ", i);
  2691. for(j=0;j<16;j++) {
  2692. if (j < len)
  2693. PRINT(" %02x", buf[i+j]);
  2694. else
  2695. PRINT(" ");
  2696. }
  2697. PRINT(" ");
  2698. for(j=0;j<len;j++) {
  2699. c = buf[i+j];
  2700. if (c < ' ' || c > '~')
  2701. c = '.';
  2702. PRINT("%c", c);
  2703. }
  2704. PRINT("\n");
  2705. }
  2706. #undef PRINT
  2707. }
  2708. void av_hex_dump(FILE *f, uint8_t *buf, int size)
  2709. {
  2710. hex_dump_internal(NULL, f, 0, buf, size);
  2711. }
  2712. void av_hex_dump_log(void *avcl, int level, uint8_t *buf, int size)
  2713. {
  2714. hex_dump_internal(avcl, NULL, level, buf, size);
  2715. }
  2716. //FIXME needs to know the time_base
  2717. static void pkt_dump_internal(void *avcl, FILE *f, int level, AVPacket *pkt, int dump_payload)
  2718. {
  2719. #define PRINT(...) do { if (!f) av_log(avcl, level, __VA_ARGS__); else fprintf(f, __VA_ARGS__); } while(0)
  2720. PRINT("stream #%d:\n", pkt->stream_index);
  2721. PRINT(" keyframe=%d\n", ((pkt->flags & PKT_FLAG_KEY) != 0));
  2722. PRINT(" duration=%0.3f\n", (double)pkt->duration / AV_TIME_BASE);
  2723. /* DTS is _always_ valid after av_read_frame() */
  2724. PRINT(" dts=");
  2725. if (pkt->dts == AV_NOPTS_VALUE)
  2726. PRINT("N/A");
  2727. else
  2728. PRINT("%0.3f", (double)pkt->dts / AV_TIME_BASE);
  2729. /* PTS may not be known if B-frames are present. */
  2730. PRINT(" pts=");
  2731. if (pkt->pts == AV_NOPTS_VALUE)
  2732. PRINT("N/A");
  2733. else
  2734. PRINT("%0.3f", (double)pkt->pts / AV_TIME_BASE);
  2735. PRINT("\n");
  2736. PRINT(" size=%d\n", pkt->size);
  2737. #undef PRINT
  2738. if (dump_payload)
  2739. av_hex_dump(f, pkt->data, pkt->size);
  2740. }
  2741. void av_pkt_dump(FILE *f, AVPacket *pkt, int dump_payload)
  2742. {
  2743. pkt_dump_internal(NULL, f, 0, pkt, dump_payload);
  2744. }
  2745. void av_pkt_dump_log(void *avcl, int level, AVPacket *pkt, int dump_payload)
  2746. {
  2747. pkt_dump_internal(avcl, NULL, level, pkt, dump_payload);
  2748. }
  2749. void url_split(char *proto, int proto_size,
  2750. char *authorization, int authorization_size,
  2751. char *hostname, int hostname_size,
  2752. int *port_ptr,
  2753. char *path, int path_size,
  2754. const char *url)
  2755. {
  2756. const char *p, *ls, *at, *col, *brk;
  2757. if (port_ptr) *port_ptr = -1;
  2758. if (proto_size > 0) proto[0] = 0;
  2759. if (authorization_size > 0) authorization[0] = 0;
  2760. if (hostname_size > 0) hostname[0] = 0;
  2761. if (path_size > 0) path[0] = 0;
  2762. /* parse protocol */
  2763. if ((p = strchr(url, ':'))) {
  2764. av_strlcpy(proto, url, FFMIN(proto_size, p + 1 - url));
  2765. p++; /* skip ':' */
  2766. if (*p == '/') p++;
  2767. if (*p == '/') p++;
  2768. } else {
  2769. /* no protocol means plain filename */
  2770. av_strlcpy(path, url, path_size);
  2771. return;
  2772. }
  2773. /* separate path from hostname */
  2774. ls = strchr(p, '/');
  2775. if(!ls)
  2776. ls = strchr(p, '?');
  2777. if(ls)
  2778. av_strlcpy(path, ls, path_size);
  2779. else
  2780. ls = &p[strlen(p)]; // XXX
  2781. /* the rest is hostname, use that to parse auth/port */
  2782. if (ls != p) {
  2783. /* authorization (user[:pass]@hostname) */
  2784. if ((at = strchr(p, '@')) && at < ls) {
  2785. av_strlcpy(authorization, p,
  2786. FFMIN(authorization_size, at + 1 - p));
  2787. p = at + 1; /* skip '@' */
  2788. }
  2789. if (*p == '[' && (brk = strchr(p, ']')) && brk < ls) {
  2790. /* [host]:port */
  2791. av_strlcpy(hostname, p + 1,
  2792. FFMIN(hostname_size, brk - p));
  2793. if (brk[1] == ':' && port_ptr)
  2794. *port_ptr = atoi(brk + 2);
  2795. } else if ((col = strchr(p, ':')) && col < ls) {
  2796. av_strlcpy(hostname, p,
  2797. FFMIN(col + 1 - p, hostname_size));
  2798. if (port_ptr) *port_ptr = atoi(col + 1);
  2799. } else
  2800. av_strlcpy(hostname, p,
  2801. FFMIN(ls + 1 - p, hostname_size));
  2802. }
  2803. }
  2804. char *ff_data_to_hex(char *buff, const uint8_t *src, int s)
  2805. {
  2806. int i;
  2807. static const char hex_table[16] = { '0', '1', '2', '3',
  2808. '4', '5', '6', '7',
  2809. '8', '9', 'A', 'B',
  2810. 'C', 'D', 'E', 'F' };
  2811. for(i = 0; i < s; i++) {
  2812. buff[i * 2] = hex_table[src[i] >> 4];
  2813. buff[i * 2 + 1] = hex_table[src[i] & 0xF];
  2814. }
  2815. return buff;
  2816. }
  2817. void av_set_pts_info(AVStream *s, int pts_wrap_bits,
  2818. int pts_num, int pts_den)
  2819. {
  2820. unsigned int gcd= av_gcd(pts_num, pts_den);
  2821. s->pts_wrap_bits = pts_wrap_bits;
  2822. s->time_base.num = pts_num/gcd;
  2823. s->time_base.den = pts_den/gcd;
  2824. if(gcd>1)
  2825. av_log(NULL, AV_LOG_DEBUG, "st:%d removing common factor %d from timebase\n", s->index, gcd);
  2826. }