3

我想通过使用 C++(库 libsndfile)来获取 WAV 文件的最高音量级别的值吗?关于如何做的任何建议?

4

1 回答 1

7

您可以简单地在样本缓冲区中的样本绝对值中找到最高的单个样本值(峰值)。这采用一般形式:

t_sample PeakAmplitude(const t_sample* const buffer, const size_t& count) {
  t_sample highest(0);
  for (size_t idx(0); idx < count; ++idx) {
    // or fabs if fp
    highest = std::max(highest, abs(buffer[idx]));
  }
  return highest;
}

要获得平均值,您可以使用 RMS 函数。插图:

t_sample RMSAmplitude(const t_sample* const buffer, const size_t& count) {
  t_sample s2(0);
  for (size_t idx(0); idx < count; ++idx) {
    // mind your sample types and ranges
    s2 += buffer[idx] * buffer[idx];
  }
  return sqrt(s2 / static_cast<double>(count));
}

RMS 计算比峰值更接近人类感知。

要更深入地了解人类感知,您可以使用称重过滤器

于 2011-11-22T12:46:03.087 回答