Gopher2600/wavwriter/wav.go
JetSetIlly 3aa5885ebe removed curated pacakge. replaced with wrapped errors
curated package predated the standard errors package introduced in
go1.13

the standard package does a better job of what curated attempted to do

the change of package also gave me a opportunity to clean up the error
messages a little bit
2023-02-13 21:58:39 +00:00

101 lines
2.6 KiB
Go

// This file is part of Gopher2600.
//
// Gopher2600 is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// Gopher2600 is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with Gopher2600. If not, see <https://www.gnu.org/licenses/>.
// Package wavwriter allows writing of audio data to disk as a WAV file.
package wavwriter
import (
"fmt"
"os"
"github.com/jetsetilly/gopher2600/hardware/television/signal"
tia "github.com/jetsetilly/gopher2600/hardware/tia/audio"
"github.com/jetsetilly/gopher2600/hardware/tia/audio/mix"
"github.com/go-audio/audio"
"github.com/go-audio/wav"
)
// WavWriter implements the television.AudioMixer interface
type WavWriter struct {
filename string
buffer []int16
}
// New is the preferred method of initialisation for the WavWriter type
func NewWavWriter(filename string) (*WavWriter, error) {
aw := &WavWriter{
filename: fmt.Sprintf("%s.wav", filename),
buffer: make([]int16, 0, 0),
}
return aw, nil
}
// SetAudio implements the television.AudioMixer interface.
func (aw *WavWriter) SetAudio(sig []signal.SignalAttributes) error {
for _, s := range sig {
if s&signal.AudioUpdate != signal.AudioUpdate {
continue
}
v0 := uint8((s & signal.AudioChannel0) >> signal.AudioChannel0Shift)
v1 := uint8((s & signal.AudioChannel1) >> signal.AudioChannel1Shift)
m := mix.Mono(v0, v1)
aw.buffer = append(aw.buffer, m)
}
return nil
}
const numChannels = 1
const bitDepth = 16
// EndMixing implements the television.AudioMixer interface
func (aw *WavWriter) EndMixing() error {
f, err := os.Create(aw.filename)
if err != nil {
return fmt.Errorf("wavwriter: %w", err)
}
defer f.Close()
enc := wav.NewEncoder(f, tia.SampleFreq, bitDepth, numChannels, 1)
if enc == nil {
return fmt.Errorf("wavwriter: bad parameters for wav encoding")
}
defer enc.Close()
buf := audio.PCMBuffer{
Format: &audio.Format{
NumChannels: numChannels,
SampleRate: tia.SampleFreq,
},
I16: aw.buffer,
DataType: audio.DataTypeI16,
SourceBitDepth: bitDepth,
}
err = enc.Write(buf.AsIntBuffer())
if err != nil {
return fmt.Errorf("wavwriter: %w", err)
}
return nil
}
// Reset implements the television.AudioMixer interface
func (aw *WavWriter) Reset() {
}