0

我正在尝试使用 Nvidias NvEnc API 构建硬件编码器。此 API 使用两种编解码器来编码任何给定数据:H264 和 HEVC。因此,首先必须选择两个代码之一,然后配置编码会话或使用 varios 预设之一。我正在按照Nvidias NvEnc Programming Guide中的描述进行操作。

在使用 HVEC 编解码器时,我有以下导致问题的代码:

//Create Init Params
InitParams* ip = new InitParams();

ip->encodeGUID = m_encoderGuid; //encoder GUID is either H264 or HEVC
ip->encodeWidth = width;
ip->encodeHeight = height;
ip->version = NV_ENC_INITIALIZE_PARAMS_VER;
ip->presetGUID = m_presetGuid; //One of the presets
ip->encodeConfig = NULL; //If using preset, further config should be set to NULL

//Async Encode
ip->enableEncodeAsync = 1;

//Send the InputBuffer in Display Order
ip->enablePTD = 1;

//Causing Div by Zero error if used with HEVC GUID:
CheckApiError(m_apiFunctions.nvEncInitializeEncoder(m_Encoder, ip));

所以事情又来了:我正在使用 H264 GUID,一切都通过了。如果我使用 HEVC,我会得到一个 div by Zero... 我没有从 api 调用中得到一些错误代码,只是一个简单的 div by zero 错误。所以我的问题是:HEVC 是否需要我使用预设不提供的更多信息?如果是这样,什么样的信息?

非常感谢!

编辑:解决了。编程指南没有说明必须设置这些字段,但NV_ENC_INITIALIZE_PARAMSframeRateNumframeRateDen组成,导致 div 为零......不知道为什么在使用 H264 时不会发生这种情况。有人可能会关闭这个..

4

1 回答 1

0

根据 NVidias 编程指南,这就是我所做的配置。如上所述,不提供 frameRateNum 和 frameRateDen 的值会导致 Div by Zero 错误,尤其是在初始 memset 之后。

//Create Init Params
InitParams* ip = new InitParams();
m_initParams = ip;
memset(ip, 0, sizeof(InitParams));

//Set Struct Version
ip->version = NV_ENC_INITIALIZE_PARAMS_VER;

//Used Codec
ip->encodeGUID = m_encoderGuid;

//Size of the frames
ip->encodeWidth = width;
ip->encodeHeight = height;

//Set to 0, no dynamic resolution changes!
ip->maxEncodeWidth = 0;
ip->maxEncodeHeight = 0;

//Aspect Ratio
ip->darWidth = width;
ip->darHeight = height;

// Frame rate
ip->frameRateNum = 60;
ip->frameRateDen = 1;

//Misc
ip->reportSliceOffsets = 0;
ip->enableSubFrameWrite = 0;

//Preset GUID
ip->presetGUID = m_presetGuid;

//Apply Preset
NV_ENC_PRESET_CONFIG presetCfg;
memset(&presetCfg, 0, sizeof(NV_ENC_PRESET_CONFIG));
presetCfg.version = NV_ENC_PRESET_CONFIG_VER;
presetCfg.presetCfg.version = NV_ENC_CONFIG_VER;
CheckApiError(m_apiFunctions.nvEncGetEncodePresetConfig(m_Encoder,
    m_encoderGuid, m_presetGuid, &presetCfg));
// Copy the Preset Config to member var
memcpy(&m_encodingConfig, &presetCfg.presetCfg, sizeof(NV_ENC_CONFIG));
/************************************************************************/
/* Room for Config Adjustments                                          */
/************************************************************************/

//Set Init configs encoding config
ip->encodeConfig = &m_encodingConfig;

//Async Encode!
ip->enableEncodeAsync = 1;

//Send the InputBuffer in Display Order
ip->enablePTD = 1;


CheckApiError(m_apiFunctions.nvEncInitializeEncoder(m_Encoder, ip));
于 2016-07-27T11:26:37.737 回答