1

我正在尝试将 OPUS api 的基本编码和解码功能与以下主要功能一起使用:

#include <stdlib.h>
#include <errno.h>
#include <string.h>
#include <opus/opus.h>
#include <stdio.h>

int     main(int argc, char **argv)
{
  OpusEncoder   *enc;
  OpusDecoder   *dec;
  unsigned char         *str;
  float         frame = 0.32;
  int           ret = 0;
  int           error;
  float         *returned;

  if ((str = malloc(4096)) == NULL)
    return (-1);
  enc = opus_encoder_create (24000, 1, OPUS_APPLICATION_AUDIO, &error);

  printf("ret = %d | input = %.2f\n", error, frame);

  ret = opus_encode_float(enc, &frame, 480, str, 4096);

  printf("ret = %d\n", ret);

  dec = opus_decoder_create (24000, 1, &error);
  ret = opus_decode_float(dec, str, ret, returned, 480, 0);

  printf("ret = %d | res = %.2f\n", ret, returned[0]);

  return (0);
}

问题是我试图在编码中传递 0.32 浮点数并使用 opus_decoder_float 对其进行解码,但是当我试图打印我的结果时,我只得到 0.00 并且我找不到任何使用这个特定函数的例子。

我没有收到任何有关 ret 值的错误消息,程序打印:

ret = 0 | input = 0.32
ret = 3
ret = 480 | res = 0.00

如何在返回的 float 中获得 0.32 ?

4

2 回答 2

0

returned未初始化。 opus_decode_float()printf()接收一个具有不确定值的指针。

  // problem code
  returned  float         *returned;  
  ...
  // What value is `returned`?
  ret = opus_decode_float(dec, str, ret, returned, 480, 0);
  printf("ret = %d | res = %.2f\n", ret, returned[0]);

建议修复,分配内存。 opus_decode_float()

  returned  float         *returned;
  ...
  int frame_size = 480;
  int channels = 1;  // from `opus_encoder_create (24000, 1, ...`

  returned = malloc(sizeof *returned * frame_size * channels);
  assert(returned);
  ret = opus_decode_float(dec, str, ret, returned, frame_size, 0);

  printf("ret = %d | res = %.2f\n", ret, returned[0]);
  free(returned);

此外,当我阅读文档时,pcm下面需要一个指向float(frame_size*channels) 的大数组的指针,而不仅仅是 1。

opus_int32 opus_encode_float(OpusEncoder *st, const float *pcm,
    int frame_size, unsigned char *data, opus_int32 max_data_bytes) 

// Too small?
float frame = 0.32;
ret = opus_encode_float(enc, &frame, 480, str, 4096);
于 2016-11-01T16:23:50.127 回答
0

Opus 具有 2.5 到 6.5 毫秒的前瞻时间,具体取决于编码器参数。因此,与输入相比,解码的输出会稍微延迟,对于样本精确的解码,您应该跳过解码器中的那些初始样本,并在最后解码相同数量的额外样本。可以使用以下方法获得前瞻样本的确切数量:

opus_int32 skip;
opus_encoder_ctl(enc, OPUS_GET_LOOKAHEAD(&skip));

这意味着您应该跳过第一个skip解码样本以获取与输入的第一个样本相对应的样本。

还要记住,它是有损压缩。虽然它旨在使人类听众听起来与原始声音相同,但您不应期望样本的值相同。

于 2016-11-19T23:12:24.307 回答