我正在尝试从AVAudioPCMBuffer
Swift 中生成频谱图。我在 an 上安装一个水龙头AVAudioMixerNode
并接收带有音频缓冲区的回调。我想将缓冲区中的信号转换为[Float:Float]
字典,其中键表示频率,值表示相应频率上音频的幅度。
我尝试使用 Apple 的 Accelerate 框架,但我得到的结果似乎令人怀疑。我确定这只是我转换信号的方式。
我查看了这篇博文以供参考。
这是我所拥有的:
self.audioEngine.mainMixerNode.installTapOnBus(0, bufferSize: 1024, format: nil, block: { buffer, when in
let bufferSize: Int = Int(buffer.frameLength)
// Set up the transform
let log2n = UInt(round(log2(Double(bufferSize))))
let fftSetup = vDSP_create_fftsetup(log2n, Int32(kFFTRadix2))
// Create the complex split value to hold the output of the transform
var realp = [Float](count: bufferSize/2, repeatedValue: 0)
var imagp = [Float](count: bufferSize/2, repeatedValue: 0)
var output = DSPSplitComplex(realp: &realp, imagp: &imagp)
// Now I need to convert the signal from the buffer to complex value, this is what I'm struggling to grasp.
// The complexValue should be UnsafePointer<DSPComplex>. How do I generate it from the buffer's floatChannelData?
vDSP_ctoz(complexValue, 2, &output, 1, UInt(bufferSize / 2))
// Do the fast Fournier forward transform
vDSP_fft_zrip(fftSetup, &output, 1, log2n, Int32(FFT_FORWARD))
// Convert the complex output to magnitude
var fft = [Float](count:Int(bufferSize / 2), repeatedValue:0.0)
vDSP_zvmags(&output, 1, &fft, 1, vDSP_length(bufferSize / 2))
// Release the setup
vDSP_destroy_fftsetup(fftsetup)
// TODO: Convert fft to [Float:Float] dictionary of frequency vs magnitude. How?
})
我的问题是
- 如何将
buffer.floatChannelData
to转换UnsafePointer<DSPComplex>
为传递给vDSP_ctoz
函数?是否有不同/更好的方法来做到这一点,甚至可以绕过vDSP_ctoz
? - 如果缓冲区包含来自多个通道的音频,这会有所不同吗?缓冲音频通道数据是否交错时有何不同?
- 如何将
fft
数组中的索引转换为以 Hz 为单位的频率? - 还有什么我可能做错了吗?
更新
谢谢大家的建议。我最终按照接受的答案中的建议填充了复杂的数组。当我绘制值并在音叉上播放 440 Hz 音调时,它会准确记录它应该在哪里。
这是填充数组的代码:
var channelSamples: [[DSPComplex]] = []
for var i=0; i<channelCount; ++i {
channelSamples.append([])
let firstSample = buffer.format.interleaved ? i : i*bufferSize
for var j=firstSample; j<bufferSize; j+=buffer.stride*2 {
channelSamples[i].append(DSPComplex(real: buffer.floatChannelData.memory[j], imag: buffer.floatChannelData.memory[j+buffer.stride]))
}
}
然后该channelSamples
数组为每个通道保存单独的样本数组。
为了计算大小,我使用了这个:
var spectrum = [Float]()
for var i=0; i<bufferSize/2; ++i {
let imag = out.imagp[i]
let real = out.realp[i]
let magnitude = sqrt(pow(real,2)+pow(imag,2))
spectrum.append(magnitude)
}