FFmpeg
liboapvenc.c
Go to the documentation of this file.
1 /*
2  * liboapv encoder
3  * Advanced Professional Video codec library
4  *
5  * Copyright (C) 2025 Dawid Kozinski <d.kozinski@samsung.com>
6  *
7  * This file is part of FFmpeg.
8  *
9  * FFmpeg is free software; you can redistribute it and/or
10  * modify it under the terms of the GNU Lesser General Public
11  * License as published by the Free Software Foundation; either
12  * version 2.1 of the License, or (at your option) any later version.
13  *
14  * FFmpeg is distributed in the hope that it will be useful,
15  * but WITHOUT ANY WARRANTY; without even the implied warranty of
16  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
17  * Lesser General Public License for more details.
18  *
19  * You should have received a copy of the GNU Lesser General Public
20  * License along with FFmpeg; if not, write to the Free Software
21  * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
22  */
23 
24 #include <stdint.h>
25 #include <stdlib.h>
26 
27 #include <oapv/oapv.h>
28 
29 #include "libavutil/avassert.h"
30 #include "libavutil/intreadwrite.h"
31 #include "libavutil/imgutils.h"
32 #include "libavutil/mem.h"
33 #include "libavutil/opt.h"
34 #include "libavutil/pixdesc.h"
35 #include "libavutil/pixfmt.h"
36 
37 #include "avcodec.h"
38 #include "apv.h"
39 #include "codec_internal.h"
40 #include "encode.h"
41 #include "packet_internal.h"
42 #include "profiles.h"
43 
44 #define MAX_BS_BUF (128 * 1024 * 1024)
45 #define MAX_NUM_FRMS (1) // supports only 1-frame in an access unit
46 #define FRM_IDX (0) // supports only 1-frame in an access unit
47 #define MAX_NUM_CC (OAPV_MAX_CC) // Max number of color componets (upto 4:4:4:4)
48 
49 /**
50  * The structure stores all the states associated with the instance of APV encoder
51  */
52 typedef struct ApvEncContext {
53  const AVClass *class;
54 
55  oapve_t id; // APV instance identifier
56  oapvm_t mid;
57  oapve_cdesc_t cdsc; // coding parameters i.e profile, width & height of input frame, num of therads, frame rate ...
58  oapv_bitb_t bitb; // bitstream buffer (output)
59  oapve_stat_t stat; // encoding status (output)
60 
61  oapv_frms_t ifrms; // frames for input
62 
63  int num_frames; // number of frames in an access unit
64 
65  int preset_id; // preset of apv ( fastest, fast, medium, slow, placebo)
66 
67  int qp; // quantization parameter (QP) [0,63]
68 
71 
72 static int apv_imgb_release(oapv_imgb_t *imgb)
73 {
74  int refcnt = --imgb->refcnt;
75  if (refcnt == 0) {
76  for (int i = 0; i < imgb->np; i++)
77  av_freep(&imgb->baddr[i]);
78  av_free(imgb);
79  }
80 
81  return refcnt;
82 }
83 
84 static int apv_imgb_addref(oapv_imgb_t * imgb)
85 {
86  int refcnt = ++imgb->refcnt;
87  return refcnt;
88 }
89 
90 static int apv_imgb_getref(oapv_imgb_t * imgb)
91 {
92  return imgb->refcnt;
93 }
94 
95 /**
96  * Convert FFmpeg pixel format (AVPixelFormat) into APV pre-defined color format
97  *
98  * @return APV pre-defined color format (@see oapv.h) on success, OAPV_CF_UNKNOWN on failure
99  */
100 static inline int get_color_format(enum AVPixelFormat pix_fmt)
101 {
102  int cf = OAPV_CF_UNKNOWN;
103 
104  switch (pix_fmt) {
106  cf = OAPV_CF_YCBCR422;
107  break;
109  cf = OAPV_CF_YCBCR444;
110  break;
111  default:
112  av_assert0(cf != OAPV_CF_UNKNOWN);
113  }
114 
115  return cf;
116 }
117 
118 static oapv_imgb_t *apv_imgb_create(AVCodecContext *avctx)
119 {
121  oapv_imgb_t *imgb;
122  int input_depth;
123  int cfmt; // color format
124  int cs;
125 
126  av_assert0(desc);
127 
128  imgb = av_mallocz(sizeof(oapv_imgb_t));
129  if (!imgb)
130  goto fail;
131 
132  input_depth = desc->comp[0].depth;
133  cfmt = get_color_format(avctx->pix_fmt);
134  cs = OAPV_CS_SET(cfmt, input_depth, AV_HAVE_BIGENDIAN);
135 
136  imgb->np = desc->nb_components;
137 
138  for (int i = 0; i < imgb->np; i++) {
139  imgb->w[i] = avctx->width >> ((i == 1 || i == 2) ? desc->log2_chroma_w : 0);
140  imgb->h[i] = avctx->height;
141  imgb->aw[i] = FFALIGN(imgb->w[i], OAPV_MB_W);
142  imgb->ah[i] = FFALIGN(imgb->h[i], OAPV_MB_H);
143  imgb->s[i] = imgb->aw[i] * OAPV_CS_GET_BYTE_DEPTH(cs);
144 
145  imgb->bsize[i] = imgb->e[i] = imgb->s[i] * imgb->ah[i];
146  imgb->a[i] = imgb->baddr[i] = av_mallocz(imgb->bsize[i]);
147  if (imgb->a[i] == NULL)
148  goto fail;
149  }
150 
151  imgb->cs = cs;
152  imgb->addref = apv_imgb_addref;
153  imgb->getref = apv_imgb_getref;
154  imgb->release = apv_imgb_release;
155  imgb->refcnt = 1;
156 
157  return imgb;
158 fail:
159  av_log(avctx, AV_LOG_ERROR, "cannot create image buffer\n");
160  if (imgb) {
161  for (int i = 0; i < imgb->np; i++)
162  av_freep(&imgb->a[i]);
163  av_freep(&imgb);
164  }
165  return NULL;
166 }
167 
168 /**
169  * The function returns a pointer to the object of the oapve_cdesc_t type.
170  * oapve_cdesc_t contains all encoder parameters that should be initialized before the encoder is used.
171  *
172  * The field values of the oapve_cdesc_t structure are populated based on:
173  * - the corresponding field values of the AvCodecConetxt structure,
174  * - the apv encoder specific option values,
175  *
176  * The order of processing input data and populating the apve_cdsc structure
177  * 1) first, the fields of the AVCodecContext structure corresponding to the provided input options are processed,
178  * (i.e -pix_fmt yuv422p -s:v 1920x1080 -r 30 -profile:v 0)
179  * 2) then apve-specific options added as AVOption to the apv AVCodec implementation
180  * (i.e -preset 0)
181  *
182  * Keep in mind that, there are options that can be set in different ways.
183  * In this case, please follow the above-mentioned order of processing.
184  * The most recent assignments overwrite the previous values.
185  *
186  * @param[in] avctx codec context (AVCodecContext)
187  * @param[out] cdsc contains all APV encoder encoder parameters that should be initialized before the encoder is use
188  *
189  * @return 0 on success, negative error code on failure
190  */
191 static int get_conf(AVCodecContext *avctx, oapve_cdesc_t *cdsc)
192 {
193  ApvEncContext *apv = avctx->priv_data;
194 
195  /* initialize apv_param struct with default values */
196  int ret = oapve_param_default(&cdsc->param[FRM_IDX]);
197  if (OAPV_FAILED(ret)) {
198  av_log(avctx, AV_LOG_ERROR, "Cannot set default parameter\n");
199  return AVERROR_EXTERNAL;
200  }
201 
202  /* read options from AVCodecContext */
203  if (avctx->width > 0)
204  cdsc->param[FRM_IDX].w = avctx->width;
205 
206  if (avctx->height > 0)
207  cdsc->param[FRM_IDX].h = avctx->height;
208 
209  if (avctx->framerate.num > 0) {
210  cdsc->param[FRM_IDX].fps_num = avctx->framerate.num;
211  cdsc->param[FRM_IDX].fps_den = avctx->framerate.den;
212  } else if (avctx->time_base.num > 0) {
213  cdsc->param[FRM_IDX].fps_num = avctx->time_base.den;
214  cdsc->param[FRM_IDX].fps_den = avctx->time_base.num;
215  }
216 
217  cdsc->param[FRM_IDX].preset = apv->preset_id;
218  cdsc->param[FRM_IDX].qp = apv->qp;
219  if (avctx->bit_rate / 1000 > INT_MAX || avctx->rc_max_rate / 1000 > INT_MAX) {
220  av_log(avctx, AV_LOG_ERROR, "bit_rate and rc_max_rate > %d000 is not supported\n", INT_MAX);
221  return AVERROR(EINVAL);
222  }
223  cdsc->param[FRM_IDX].bitrate = (int)(avctx->bit_rate / 1000);
224  if (cdsc->param[FRM_IDX].bitrate) {
225  if (cdsc->param[FRM_IDX].qp) {
226  av_log(avctx, AV_LOG_WARNING, "You cannot set both the bitrate and the QP parameter at the same time.\n"
227  "If the bitrate is set, the rate control type is set to ABR, which means that the QP value is ignored.\n");
228  }
229  cdsc->param[FRM_IDX].rc_type = OAPV_RC_ABR;
230  }
231 
232  cdsc->threads = avctx->thread_count;
233 
234  if (avctx->color_primaries != AVCOL_PRI_UNSPECIFIED) {
235  cdsc->param[FRM_IDX].color_primaries = avctx->color_primaries;
236  cdsc->param[FRM_IDX].color_description_present_flag = 1;
237  }
238 
239  if (avctx->color_trc != AVCOL_TRC_UNSPECIFIED) {
240  cdsc->param[FRM_IDX].transfer_characteristics = avctx->color_trc;
241  cdsc->param[FRM_IDX].color_description_present_flag = 1;
242  }
243 
244  if (avctx->colorspace != AVCOL_SPC_UNSPECIFIED) {
245  cdsc->param[FRM_IDX].matrix_coefficients = avctx->colorspace;
246  cdsc->param[FRM_IDX].color_description_present_flag = 1;
247  }
248 
249  if (avctx->color_range != AVCOL_RANGE_UNSPECIFIED) {
250  cdsc->param[FRM_IDX].full_range_flag = (avctx->color_range == AVCOL_RANGE_JPEG);
251  cdsc->param[FRM_IDX].color_description_present_flag = 1;
252  }
253 
254  cdsc->max_bs_buf_size = MAX_BS_BUF; /* maximum bitstream buffer size */
255  cdsc->max_num_frms = MAX_NUM_FRMS;
256 
257  const AVDictionaryEntry *en = NULL;
258  while (en = av_dict_iterate(apv->oapv_params, en)) {
259  ret = oapve_param_parse(&cdsc->param[FRM_IDX], en->key, en->value);
260  if (ret < 0)
261  av_log(avctx, AV_LOG_WARNING, "Error parsing option '%s = %s'.\n", en->key, en->value);
262  }
263 
264  return 0;
265 }
266 
267 /**
268  * @brief Initialize APV codec
269  * Create an encoder instance and allocate all the needed resources
270  *
271  * @param avctx codec context
272  * @return 0 on success, negative error code on failure
273  */
275 {
276  ApvEncContext *apv = avctx->priv_data;
277  oapve_cdesc_t *cdsc = &apv->cdsc;
278  unsigned char *bs_buf;
279  int ret;
280 
281  /* allocate bitstream buffer */
282  bs_buf = (unsigned char *)av_malloc(MAX_BS_BUF);
283  if (bs_buf == NULL) {
284  av_log(avctx, AV_LOG_ERROR, "Cannot allocate bitstream buffer, size=%d\n", MAX_BS_BUF);
285  return AVERROR(ENOMEM);
286  }
287  apv->bitb.addr = bs_buf;
288  apv->bitb.bsize = MAX_BS_BUF;
289 
290  /* read configurations and set values for created descriptor (APV_CDSC) */
291  ret = get_conf(avctx, cdsc);
292  if (ret < 0) {
293  av_log(avctx, AV_LOG_ERROR, "Cannot get OAPV configuration\n");
294  return ret;
295  }
296 
297  /* create encoder */
298  apv->id = oapve_create(cdsc, &ret);
299  if (apv->id == NULL) {
300  av_log(avctx, AV_LOG_ERROR, "Cannot create OAPV encoder\n");
301  if (ret == OAPV_ERR_INVALID_LEVEL)
302  av_log(avctx, AV_LOG_ERROR, "Invalid level idc: %d\n", cdsc->param[0].level_idc);
303  return AVERROR_EXTERNAL;
304  }
305 
306  /* create metadata handler */
307  apv->mid = oapvm_create(&ret);
308  if (apv->mid == NULL || OAPV_FAILED(ret)) {
309  av_log(avctx, AV_LOG_ERROR, "cannot create OAPV metadata handler\n");
310  return AVERROR_EXTERNAL;
311  }
312 
313  apv->ifrms.frm[FRM_IDX].imgb = apv_imgb_create(avctx);
314  if (apv->ifrms.frm[FRM_IDX].imgb == NULL)
315  return AVERROR(ENOMEM);
316  apv->ifrms.num_frms++;
317 
318  /* color description values */
319  if (cdsc->param[FRM_IDX].color_description_present_flag) {
320  avctx->color_primaries = cdsc->param[FRM_IDX].color_primaries;
321  avctx->color_trc = cdsc->param[FRM_IDX].transfer_characteristics;
322  avctx->colorspace = cdsc->param[FRM_IDX].matrix_coefficients;
323  avctx->color_range = (cdsc->param[FRM_IDX].full_range_flag) ? AVCOL_RANGE_JPEG : AVCOL_RANGE_MPEG;
324  }
325 
326  return 0;
327 }
328 
329 /**
330  * Encode raw data frame into APV packet
331  *
332  * @param[in] avctx codec context
333  * @param[out] avpkt output AVPacket containing encoded data
334  * @param[in] frame AVFrame containing the raw data to be encoded
335  * @param[out] got_packet encoder sets to 0 or 1 to indicate that a
336  * non-empty packet was returned in pkt
337  *
338  * @return 0 on success, negative error code on failure
339  */
340 static int liboapve_encode(AVCodecContext *avctx, AVPacket *avpkt,
341  const AVFrame *frame, int *got_packet)
342 {
343  ApvEncContext *apv = avctx->priv_data;
344  const oapve_cdesc_t *cdsc = &apv->cdsc;
345  oapv_frm_t *frm = &apv->ifrms.frm[FRM_IDX];
346  oapv_imgb_t *imgb = frm->imgb;
347  int ret;
348 
349  if (avctx->width != frame->width || avctx->height != frame->height || avctx->pix_fmt != frame->format) {
350  av_log(avctx, AV_LOG_ERROR, "Dimension changes are not supported\n");
351  return AVERROR(EINVAL);
352  }
353 
354  av_image_copy((uint8_t **)imgb->a, imgb->s, (const uint8_t **)frame->data, frame->linesize,
355  frame->format, frame->width, frame->height);
356 
357  imgb->ts[0] = frame->pts;
358 
359  frm->group_id = 1; // @todo FIX-ME : need to set properly in case of multi-frame
360  frm->pbu_type = OAPV_PBU_TYPE_PRIMARY_FRAME;
361 
362  ret = oapve_encode(apv->id, &apv->ifrms, apv->mid, &apv->bitb, &apv->stat, NULL);
363  if (OAPV_FAILED(ret)) {
364  av_log(avctx, AV_LOG_ERROR, "oapve_encode() failed\n");
365  return AVERROR_EXTERNAL;
366  }
367 
368  /* store bitstream */
369  if (OAPV_SUCCEEDED(ret) && apv->stat.write > 0) {
370  uint8_t *data = apv->bitb.addr;
371  int size = apv->stat.write;
372 
373  // The encoder may return a "Raw bitstream" formated AU, including au_size.
374  // Discard it as we only need the access_unit() structure.
375  if (size > 4 && AV_RB32(data) != APV_SIGNATURE) {
376  data += 4;
377  size -= 4;
378  }
379 
380  ret = ff_get_encode_buffer(avctx, avpkt, size, 0);
381  if (ret < 0)
382  return ret;
383 
384  memcpy(avpkt->data, data, size);
385  avpkt->pts = avpkt->dts = frame->pts;
386  avpkt->flags |= AV_PKT_FLAG_KEY;
387 
388  if (cdsc->param[FRM_IDX].qp)
390 
391  *got_packet = 1;
392  }
393 
394  return 0;
395 }
396 
397 /**
398  * Destroy the encoder and release all the allocated resources
399  *
400  * @param avctx codec context
401  * @return 0 on success, negative error code on failure
402  */
404 {
405  ApvEncContext *apv = avctx->priv_data;
406 
407  for (int i = 0; i < apv->num_frames; i++) {
408  if (apv->ifrms.frm[i].imgb != NULL)
409  apv->ifrms.frm[i].imgb->release(apv->ifrms.frm[i].imgb);
410  apv->ifrms.frm[i].imgb = NULL;
411  }
412 
413  if (apv->mid) {
414  oapvm_rem_all(apv->mid);
415  }
416 
417  if (apv->id) {
418  oapve_delete(apv->id);
419  apv->id = NULL;
420  }
421 
422  if (apv->mid) {
423  oapvm_delete(apv->mid);
424  apv->mid = NULL;
425  }
426 
427  av_freep(&apv->bitb.addr); /* release bitstream buffer */
428 
429  return 0;
430 }
431 
432 #define OFFSET(x) offsetof(ApvEncContext, x)
433 #define VE AV_OPT_FLAG_VIDEO_PARAM | AV_OPT_FLAG_ENCODING_PARAM
434 
435 static const enum AVPixelFormat supported_pixel_formats[] = {
439 };
440 
441 static const AVOption liboapv_options[] = {
442  { "preset", "Encoding preset for setting encoding speed (optimization level control)", OFFSET(preset_id), AV_OPT_TYPE_INT, { .i64 = OAPV_PRESET_DEFAULT }, OAPV_PRESET_FASTEST, OAPV_PRESET_PLACEBO, VE, .unit = "preset" },
443  { "fastest", NULL, 0, AV_OPT_TYPE_CONST, { .i64 = OAPV_PRESET_FASTEST }, INT_MIN, INT_MAX, VE, .unit = "preset" },
444  { "fast", NULL, 0, AV_OPT_TYPE_CONST, { .i64 = OAPV_PRESET_FAST }, INT_MIN, INT_MAX, VE, .unit = "preset" },
445  { "medium", NULL, 0, AV_OPT_TYPE_CONST, { .i64 = OAPV_PRESET_MEDIUM }, INT_MIN, INT_MAX, VE, .unit = "preset" },
446  { "slow", NULL, 0, AV_OPT_TYPE_CONST, { .i64 = OAPV_PRESET_SLOW }, INT_MIN, INT_MAX, VE, .unit = "preset" },
447  { "placebo", NULL, 0, AV_OPT_TYPE_CONST, { .i64 = OAPV_PRESET_PLACEBO }, INT_MIN, INT_MAX, VE, .unit = "preset" },
448  { "default", NULL, 0, AV_OPT_TYPE_CONST, { .i64 = OAPV_PRESET_DEFAULT }, INT_MIN, INT_MAX, VE, .unit = "preset" },
449 
450  { "qp", "Quantization parameter value for CQP rate control mode", OFFSET(qp), AV_OPT_TYPE_INT, { .i64 = 32 }, 0, 63, VE },
451  { "oapv-params", "Override the apv configuration using a :-separated list of key=value parameters", OFFSET(oapv_params), AV_OPT_TYPE_DICT, { 0 }, 0, 0, VE },
452  { NULL }
453 };
454 
455 static const AVClass liboapve_class = {
456  .class_name = "liboapv",
457  .item_name = av_default_item_name,
458  .option = liboapv_options,
459  .version = LIBAVUTIL_VERSION_INT,
460 };
461 
463  { "b", "0" }, // bitrate in terms of kilo-bits per second (support for bit-rates from a few hundred Mbps to a few Gbps for 2K, 4K and 8K resolution content)
464  { NULL },
465 };
466 
468  .p.name = "liboapv",
469  .p.long_name = NULL_IF_CONFIG_SMALL("liboapv APV"),
470  .p.type = AVMEDIA_TYPE_VIDEO,
471  .p.id = AV_CODEC_ID_APV,
472  .init = liboapve_init,
474  .close = liboapve_close,
475  .priv_data_size = sizeof(ApvEncContext),
476  .p.priv_class = &liboapve_class,
477  .defaults = liboapve_defaults,
478  .p.capabilities = AV_CODEC_CAP_OTHER_THREADS | AV_CODEC_CAP_DR1,
479  .p.wrapper_name = "liboapv",
480  .p.pix_fmts = supported_pixel_formats,
481  .p.profiles = NULL_IF_CONFIG_SMALL(ff_apv_profiles),
483 };
get_color_format
static int get_color_format(enum AVPixelFormat pix_fmt)
Convert FFmpeg pixel format (AVPixelFormat) into APV pre-defined color format.
Definition: liboapvenc.c:100
liboapv_options
static const AVOption liboapv_options[]
Definition: liboapvenc.c:441
AV_LOG_WARNING
#define AV_LOG_WARNING
Something somehow does not look correct.
Definition: log.h:216
AVPixelFormat
AVPixelFormat
Pixel format.
Definition: pixfmt.h:71
FF_CODEC_CAP_INIT_CLEANUP
#define FF_CODEC_CAP_INIT_CLEANUP
The codec allows calling the close function for deallocation even if the init function returned a fai...
Definition: codec_internal.h:42
AVERROR
Filter the word “frame” indicates either a video frame or a group of audio as stored in an AVFrame structure Format for each input and each output the list of supported formats For video that means pixel format For audio that means channel sample they are references to shared objects When the negotiation mechanism computes the intersection of the formats supported at each end of a all references to both lists are replaced with a reference to the intersection And when a single format is eventually chosen for a link amongst the remaining all references to the list are updated That means that if a filter requires that its input and output have the same format amongst a supported all it has to do is use a reference to the same list of formats query_formats can leave some formats unset and return AVERROR(EAGAIN) to cause the negotiation mechanism toagain later. That can be used by filters with complex requirements to use the format negotiated on one link to set the formats supported on another. Frame references ownership and permissions
opt.h
AVCodecContext::colorspace
enum AVColorSpace colorspace
YUV colorspace type.
Definition: avcodec.h:659
ApvEncContext::stat
oapve_stat_t stat
Definition: liboapvenc.c:59
ApvEncContext
The structure stores all the states associated with the instance of APV encoder.
Definition: liboapvenc.c:52
av_pix_fmt_desc_get
const AVPixFmtDescriptor * av_pix_fmt_desc_get(enum AVPixelFormat pix_fmt)
Definition: pixdesc.c:3341
APV_SIGNATURE
#define APV_SIGNATURE
Definition: apv.h:23
AVFrame
This structure describes decoded (raw) audio or video data.
Definition: frame.h:410
pixdesc.h
AVCodecContext::color_trc
enum AVColorTransferCharacteristic color_trc
Color Transfer Characteristic.
Definition: avcodec.h:652
AVCOL_RANGE_JPEG
@ AVCOL_RANGE_JPEG
Full range content.
Definition: pixfmt.h:750
AVPacket::data
uint8_t * data
Definition: packet.h:535
AVOption
AVOption.
Definition: opt.h:429
encode.h
AVCOL_TRC_UNSPECIFIED
@ AVCOL_TRC_UNSPECIFIED
Definition: pixfmt.h:647
data
const char data[16]
Definition: mxf.c:149
FF_CODEC_CAP_NOT_INIT_THREADSAFE
#define FF_CODEC_CAP_NOT_INIT_THREADSAFE
The codec is not known to be init-threadsafe (i.e.
Definition: codec_internal.h:34
FFCodec
Definition: codec_internal.h:127
ApvEncContext::qp
int qp
Definition: liboapvenc.c:67
AVDictionary
Definition: dict.c:32
ApvEncContext::cdsc
oapve_cdesc_t cdsc
Definition: liboapvenc.c:57
AV_PKT_FLAG_KEY
#define AV_PKT_FLAG_KEY
The packet contains a keyframe.
Definition: packet.h:590
ApvEncContext::bitb
oapv_bitb_t bitb
Definition: liboapvenc.c:58
av_malloc
#define av_malloc(s)
Definition: tableprint_vlc.h:31
liboapve_class
static const AVClass liboapve_class
Definition: liboapvenc.c:455
AVCodecContext::framerate
AVRational framerate
Definition: avcodec.h:551
ApvEncContext::num_frames
int num_frames
Definition: liboapvenc.c:63
apv_imgb_release
static int apv_imgb_release(oapv_imgb_t *imgb)
Definition: liboapvenc.c:72
ff_apv_profiles
const AVProfile ff_apv_profiles[]
Definition: profiles.c:206
FFCodecDefault
Definition: codec_internal.h:96
FFCodec::p
AVCodec p
The public AVCodec.
Definition: codec_internal.h:131
ApvEncContext::id
oapve_t id
Definition: liboapvenc.c:55
fail
#define fail()
Definition: checkasm.h:195
AVCodecContext::thread_count
int thread_count
thread count is used to decide how many independent tasks should be passed to execute()
Definition: avcodec.h:1561
FF_CODEC_ENCODE_CB
#define FF_CODEC_ENCODE_CB(func)
Definition: codec_internal.h:353
AVRational::num
int num
Numerator.
Definition: rational.h:59
AV_PIX_FMT_YUV444P10
#define AV_PIX_FMT_YUV444P10
Definition: pixfmt.h:531
avassert.h
AVCodecContext::color_primaries
enum AVColorPrimaries color_primaries
Chromaticity coordinates of the source primaries.
Definition: avcodec.h:645
AV_LOG_ERROR
#define AV_LOG_ERROR
Something went wrong and cannot losslessly be recovered.
Definition: log.h:210
av_cold
#define av_cold
Definition: attributes.h:90
ApvEncContext::ifrms
oapv_frms_t ifrms
Definition: liboapvenc.c:61
intreadwrite.h
liboapve_defaults
static const FFCodecDefault liboapve_defaults[]
Definition: liboapvenc.c:462
pix_fmt
static enum AVPixelFormat pix_fmt
Definition: demux_decode.c:41
AVDictionaryEntry::key
char * key
Definition: dict.h:91
AV_CODEC_CAP_OTHER_THREADS
#define AV_CODEC_CAP_OTHER_THREADS
Codec supports multithreading through a method other than slice- or frame-level multithreading.
Definition: codec.h:109
MAX_BS_BUF
#define MAX_BS_BUF
Definition: liboapvenc.c:44
av_assert0
#define av_assert0(cond)
assert() equivalent, that is always enabled.
Definition: avassert.h:40
liboapve_init
static av_cold int liboapve_init(AVCodecContext *avctx)
Initialize APV codec Create an encoder instance and allocate all the needed resources.
Definition: liboapvenc.c:274
AVCodecContext::rc_max_rate
int64_t rc_max_rate
maximum bitrate
Definition: avcodec.h:1270
AVCOL_PRI_UNSPECIFIED
@ AVCOL_PRI_UNSPECIFIED
Definition: pixfmt.h:622
LIBAVUTIL_VERSION_INT
#define LIBAVUTIL_VERSION_INT
Definition: version.h:85
AVClass
Describe the class of an AVClass context structure.
Definition: log.h:76
NULL
#define NULL
Definition: coverity.c:32
AVCodecContext::color_range
enum AVColorRange color_range
MPEG vs JPEG YUV range.
Definition: avcodec.h:669
apv_imgb_addref
static int apv_imgb_addref(oapv_imgb_t *imgb)
Definition: liboapvenc.c:84
AVCodecContext::bit_rate
int64_t bit_rate
the average bitrate
Definition: avcodec.h:481
AV_OPT_TYPE_DICT
@ AV_OPT_TYPE_DICT
Underlying C type is AVDictionary*.
Definition: opt.h:290
av_default_item_name
const char * av_default_item_name(void *ptr)
Return the context name.
Definition: log.c:240
AV_PICTURE_TYPE_I
@ AV_PICTURE_TYPE_I
Intra.
Definition: avutil.h:278
profiles.h
liboapve_close
static av_cold int liboapve_close(AVCodecContext *avctx)
Destroy the encoder and release all the allocated resources.
Definition: liboapvenc.c:403
AV_PIX_FMT_YUV422P10
#define AV_PIX_FMT_YUV422P10
Definition: pixfmt.h:529
apv_imgb_create
static oapv_imgb_t * apv_imgb_create(AVCodecContext *avctx)
Definition: liboapvenc.c:118
AVCOL_RANGE_UNSPECIFIED
@ AVCOL_RANGE_UNSPECIFIED
Definition: pixfmt.h:716
apv_imgb_getref
static int apv_imgb_getref(oapv_imgb_t *imgb)
Definition: liboapvenc.c:90
ApvEncContext::oapv_params
AVDictionary * oapv_params
Definition: liboapvenc.c:69
AVCodecContext::time_base
AVRational time_base
This is the fundamental unit of time (in seconds) in terms of which frame timestamps are represented.
Definition: avcodec.h:535
AV_CODEC_CAP_DR1
#define AV_CODEC_CAP_DR1
Codec uses get_buffer() or get_encode_buffer() for allocating buffers and supports custom allocators.
Definition: codec.h:52
NULL_IF_CONFIG_SMALL
#define NULL_IF_CONFIG_SMALL(x)
Return NULL if CONFIG_SMALL is true, otherwise the argument without modification.
Definition: internal.h:94
codec_internal.h
size
int size
Definition: twinvq_data.h:10344
VE
#define VE
Definition: liboapvenc.c:433
AV_RB32
uint64_t_TMPL AV_WL64 unsigned int_TMPL AV_WL32 unsigned int_TMPL AV_WL24 unsigned int_TMPL AV_WL16 uint64_t_TMPL AV_WB64 unsigned int_TMPL AV_RB32
Definition: bytestream.h:96
apv.h
supported_pixel_formats
static enum AVPixelFormat supported_pixel_formats[]
Definition: liboapvenc.c:435
AVPacket::dts
int64_t dts
Decompression timestamp in AVStream->time_base units; the time at which the packet is decompressed.
Definition: packet.h:534
OFFSET
#define OFFSET(x)
Definition: liboapvenc.c:432
FRM_IDX
#define FRM_IDX
Definition: liboapvenc.c:46
AVERROR_EXTERNAL
#define AVERROR_EXTERNAL
Generic error in an external library.
Definition: error.h:59
AVPacket::flags
int flags
A combination of AV_PKT_FLAG values.
Definition: packet.h:541
liboapve_encode
static int liboapve_encode(AVCodecContext *avctx, AVPacket *avpkt, const AVFrame *frame, int *got_packet)
Encode raw data frame into APV packet.
Definition: liboapvenc.c:340
MAX_NUM_FRMS
#define MAX_NUM_FRMS
Definition: liboapvenc.c:45
i
#define i(width, name, range_min, range_max)
Definition: cbs_h2645.c:256
AVPacket::pts
int64_t pts
Presentation timestamp in AVStream->time_base units; the time at which the decompressed packet will b...
Definition: packet.h:528
ApvEncContext::preset_id
int preset_id
Definition: liboapvenc.c:65
av_mallocz
void * av_mallocz(size_t size)
Allocate a memory block with alignment suitable for all memory accesses (including vectors if availab...
Definition: mem.c:256
AVCodec::name
const char * name
Name of the codec implementation.
Definition: codec.h:179
AVCOL_SPC_UNSPECIFIED
@ AVCOL_SPC_UNSPECIFIED
Definition: pixfmt.h:676
AVCodecContext::height
int height
Definition: avcodec.h:592
AVCodecContext::pix_fmt
enum AVPixelFormat pix_fmt
Pixel format, see AV_PIX_FMT_xxx.
Definition: avcodec.h:631
AVCOL_RANGE_MPEG
@ AVCOL_RANGE_MPEG
Narrow or limited range content.
Definition: pixfmt.h:733
avcodec.h
ff_liboapv_encoder
const FFCodec ff_liboapv_encoder
Definition: liboapvenc.c:467
ret
ret
Definition: filter_design.txt:187
AV_CODEC_ID_APV
@ AV_CODEC_ID_APV
Definition: codec_id.h:332
pixfmt.h
AVClass::class_name
const char * class_name
The name of the class; usually it is the same name as the context structure type to which the AVClass...
Definition: log.h:81
frame
these buffered frames must be flushed immediately if a new input produces new the filter must not call request_frame to get more It must just process the frame or queue it The task of requesting more frames is left to the filter s request_frame method or the application If a filter has several the filter must be ready for frames arriving randomly on any input any filter with several inputs will most likely require some kind of queuing mechanism It is perfectly acceptable to have a limited queue and to drop frames when the inputs are too unbalanced request_frame For filters that do not use the this method is called when a frame is wanted on an output For a it should directly call filter_frame on the corresponding output For a if there are queued frames already one of these frames should be pushed If the filter should request a frame on one of its repeatedly until at least one frame has been pushed Return or at least make progress towards producing a frame
Definition: filter_design.txt:264
AVCodecContext
main external API structure.
Definition: avcodec.h:431
ff_get_encode_buffer
int ff_get_encode_buffer(AVCodecContext *avctx, AVPacket *avpkt, int64_t size, int flags)
Get a buffer for a packet.
Definition: encode.c:106
AVRational::den
int den
Denominator.
Definition: rational.h:60
AV_PIX_FMT_NONE
@ AV_PIX_FMT_NONE
Definition: pixfmt.h:72
AV_OPT_TYPE_INT
@ AV_OPT_TYPE_INT
Underlying C type is int.
Definition: opt.h:259
desc
const char * desc
Definition: libsvtav1.c:79
AVMEDIA_TYPE_VIDEO
@ AVMEDIA_TYPE_VIDEO
Definition: avutil.h:200
mem.h
packet_internal.h
FF_CODEC_CAP_AUTO_THREADS
#define FF_CODEC_CAP_AUTO_THREADS
Codec handles avctx->thread_count == 0 (auto) internally.
Definition: codec_internal.h:72
AVPixFmtDescriptor
Descriptor that unambiguously describes how the bits of a pixel are stored in the up to 4 data planes...
Definition: pixdesc.h:69
av_free
#define av_free(p)
Definition: tableprint_vlc.h:34
AVDictionaryEntry
Definition: dict.h:90
FFALIGN
#define FFALIGN(x, a)
Definition: macros.h:78
AVPacket
This structure stores compressed data.
Definition: packet.h:512
AVCodecContext::priv_data
void * priv_data
Definition: avcodec.h:458
av_freep
#define av_freep(p)
Definition: tableprint_vlc.h:35
AVCodecContext::width
int width
picture width / height.
Definition: avcodec.h:592
imgutils.h
av_log
#define av_log(a,...)
Definition: tableprint_vlc.h:27
ff_side_data_set_encoder_stats
int ff_side_data_set_encoder_stats(AVPacket *pkt, int quality, int64_t *error, int error_count, int pict_type)
Definition: packet.c:610
AVDictionaryEntry::value
char * value
Definition: dict.h:92
FF_QP2LAMBDA
#define FF_QP2LAMBDA
factor to convert from H.263 QP to lambda
Definition: avutil.h:226
av_image_copy
void av_image_copy(uint8_t *const dst_data[4], const int dst_linesizes[4], const uint8_t *const src_data[4], const int src_linesizes[4], enum AVPixelFormat pix_fmt, int width, int height)
Copy image in src_data to dst_data.
Definition: imgutils.c:422
get_conf
static int get_conf(AVCodecContext *avctx, oapve_cdesc_t *cdsc)
The function returns a pointer to the object of the oapve_cdesc_t type.
Definition: liboapvenc.c:191
AV_OPT_TYPE_CONST
@ AV_OPT_TYPE_CONST
Special option type for declaring named constants.
Definition: opt.h:299
ApvEncContext::mid
oapvm_t mid
Definition: liboapvenc.c:56
av_dict_iterate
const AVDictionaryEntry * av_dict_iterate(const AVDictionary *m, const AVDictionaryEntry *prev)
Iterate over a dictionary.
Definition: dict.c:42