我正在创建一个 AVAudioFile 用于将声音写入声音文件。如果文件已经存在,我想将 framePosition 移动到文件末尾,以在末尾继续写入,而不是替换现有文件。
我做了一些测试,试图将文件中的缓冲区读入一个具有不同 URL 的新文件,这样它就不会覆盖原始文件。当我尝试将缓冲区读入新文件时发生崩溃:
let audioFile = try AVAudioFile(forReading: [URL to existing .caf file])
let audioFrameCount = AVAudioFrameCount(UInt32(audioFile.length))
let audioBuffer = AVAudioPCMBuffer(PCMFormat: audioFile.processingFormat, frameCapacity: audioFrameCount)
let newAudioFile = try AVAudioFile(forWriting: [another URL], settings: self.engine.mainMixerNode.outputFormatForBus(0).settings)
try newAudioFile.readIntoBuffer(audioBuffer, frameCount: audioFrameCount!) <-- CRASHES ON THIS LINE
崩溃日志:由于未捕获的异常“com.apple.coreaudio.avfaudio”而终止应用程序,原因:“错误 -50”
伙计,我真的很讨厌 CoreAudio 崩溃日志。他们什么也没告诉我!
是否可以将数据读入为写入而创建的文件中?
更新
好的,所以在一些建议之后我做了一些改变。基本上,这些是我正在采取的步骤:
- 检查文件是否已经存在。
- 如果是,打开它进行读取并获取音频缓冲区。
- 创建一个用于写入的新文件(使用相同的文件 URL)
- 使用 writeFromBuffer 将缓冲区从旧文件写入新文件
- 将新文件的 framePosition 移动到末尾,以便我可以继续对其进行写入/录制。
但是,新文件的长度在我写入后为 0。
这是我的代码:
//Check if a file already exists. If so continue to record at the end of it
var audioBuffer : AVAudioPCMBuffer!
var audioFrameCount : AVAudioFrameCount!
if (NSFileManager.defaultManager().fileExistsAtPath(self.audioRecordURL.path!)) {
do {
let existingAudioFile = try AVAudioFile(forReading: self.audioRecordURL)
audioFrameCount = AVAudioFrameCount(existingAudioFile.length)
if (audioFrameCount > 0) {
audioBuffer = AVAudioPCMBuffer(PCMFormat: existingAudioFile.processingFormat, frameCapacity: audioFrameCount)
}
} catch let error as NSError {
NSLog("Error reading buffer from file %@", error.localizedDescription)
}
}
//Create a new file. This will replace the old file
do {
self.audioFile = try AVAudioFile(forWriting: self.audioRecordURL, settings: self.engine.mainMixerNode.outputFormatForBus(0).settings)
} catch let error as NSError {
NSLog("Error creating AVAudioFile %@", error.localizedDescription)
}
//Read the audio buffer from the old file into the new file
if (audioBuffer != nil) {
do {
try self.audioFile.writeFromBuffer(audioBuffer)
self.audioFile.framePosition = self.audioFile.length
} catch let error as NSError {
NSLog("Error reading buffer into file %@", error.localizedDescription)
}
}
顺便说一句,readIntoBuffer 的命名让我非常困惑。听起来好像您应该使用该方法将文件读入缓冲区,但是根据文档,您应该使用它将缓冲区读入文件吗?那么为什么我不能使用该方法将缓冲区添加到我的文件中呢?为什么我必须使用 writeFromBuffer?
更新 2
所以,我设法解决了它。显然,我必须先调用 readIntoBuffer 才能使用数据实际填充缓冲区,然后才能使用它。所以我添加了这一行
try existingAudioFile.readIntoBuffer(audioBuffer)
后
audioBuffer = AVAudioPCMBuffer(PCMFormat: existingAudioFile.processingFormat, frameCapacity: audioFrameCount)