Как создать звуковой сигнал с помощью SDL_audio?

#c #audio #sdl #sdl-2

Вопрос:

Я пытаюсь создать простой, постоянный синусоидальный тон, используя SDL_audio. У меня есть небольшой вспомогательный класс, который можно вызвать для включения/выключения тона, изменения частоты и изменения формы волны. Я проследил за некоторыми примерами, которые смог найти в Интернете, и получил следующее:

звуковой сигнал.ч

 #pragma once

#include <SDL.h>
#include <SDL_audio.h>
#include <cmath>
#include "logger.h"

class Beeper {
private:
    //Should there be sound right now
    bool soundOn = true;
    //Type of wave that should be generated
    int waveType = 0;
    //Tone that the wave will produce (may or may not be applicable based on wave type)
    float waveTone = 440;
    //Running index for sampling
    float samplingIndex = 0;

    //These are useful variables that cannot be changed outside of this file:
    //Volume
    const Sint16 amplitude = 32000;
    //Sampling rate
    const int samplingRate = 44100;
    //Buffer size
    const int bufferSize = 1024;

    //Samples a sine wave at a given index
    float sampleSine(float index);
    //Samples a square wave at a given index
    float sampleSquare(float index);
public:
    //Initializes SDL audio, audio device, and audio specs
    void initializeAudio();
    //Function called by SDL audio_callback that fills stream with samples
    void generateSamples(short* stream, int length);
    //Turn sound on or off
    void setSoundOn(bool soundOnOrOff);
    //Set timbre of tone produced by beeper
    void setWaveType(int waveTypeID);
    //Set tone (in Hz) produced by beeper
    void setWaveTone(int waveHz);
};
 

beeper.cpp

 #include <beeper.h>

void fillBuffer(void* userdata, Uint8* _stream, int len) {
    short * stream = reinterpret_cast<short*>(_stream);
    int length = len;
    Beeper* beeper = (Beeper*)userdata;

    beeper->generateSamples(stream, length);
}

void Beeper::initializeAudio() {
    SDL_AudioSpec desired, returned;
    SDL_AudioDeviceID devID;

    SDL_zero(desired);
    desired.freq = samplingRate;
    desired.format = AUDIO_S16SYS; //16-bit audio
    desired.channels = 1;
    desired.samples = bufferSize;
    desired.callback = amp;fillBuffer;
    desired.userdata = this;

    devID = SDL_OpenAudioDevice(SDL_GetAudioDeviceName(0,0), 0, amp;desired, amp;returned, SDL_AUDIO_ALLOW_FORMAT_CHANGE);
    SDL_PauseAudioDevice(devID, 0);
}

void Beeper::generateSamples(short *stream, int length) {
    int samplesToWrite = length / sizeof(short);
    for (int i = 0; i < samplesToWrite; i  ) {
        if (soundOn) {
            if (waveType == 0) {
                stream[i] = (short)(amplitude * sampleSine(samplingIndex));
            }
            else if (waveType == 1) {
                stream[i] = (short)(amplitude * 0.8 * sampleSquare(samplingIndex));
            }
        }
        else {
            stream[i] = 0;
        }
        //INFO << "Sampling index: " << samplingIndex;
        samplingIndex  = (waveTone * M_PI * 2) / samplingRate;
        //INFO << "Stream input: " << stream[i];
        if (samplingIndex >= (M_PI*2)) {
            samplingIndex -= M_PI * 2;
        }
    }
}

void Beeper::setSoundOn(bool soundOnOrOff) {
    soundOn = soundOnOrOff;
    //if (soundOnOrOff) {
    //  samplingIndex = 0;
    //}
}

void Beeper::setWaveType(int waveTypeID) {
    waveType = waveTypeID;
    //samplingIndex = 0;
}

void Beeper::setWaveTone(int waveHz) {
    waveTone = waveHz;
    //samplingIndex = 0;
}

float Beeper::sampleSine(float index) {
    double result = sin((index));
    //INFO << "Sine result: " << resu<
    return resu<
}

float Beeper::sampleSquare(float index)
{
    int unSquaredSin = sin((index));
    if (unSquaredSin >= 0) {
        return 1;
    }
    else {
        return -1;
    }
}
 

Вызывается функция обратного вызова, и функция generateSamples загружает данные в поток, но я не слышу ничего, кроме очень слабого щелчка в нерегулярные периоды. Я просмотрел данные внутри потока, и они соответствуют шаблону, который я ожидал бы для масштабированной синусоидальной волны с частотой 440 Гц. Есть ли что-то очевидное, чего мне не хватает? Я заметил, что размер потока вдвое больше, чем я указывал при объявлении SDL_AudioSpec и вызове SDL_OpenAudioDevice. Это почему?

Ответ №1:

Ответил на мой собственный вопрос! При открытии аудиоустройства я использовал флаг SDL_AUDIO_ALLOW_FORMAT_CHANGE , который означал, что SDL фактически использовал буфер с плавающей точкой вместо короткого буфера, который я ожидал. Это вызывало проблемы в нескольких местах, которые было трудно обнаружить (поток, вдвое превышающий количество байтов, которое я ожидал, должен был меня насторожить). Я изменил этот параметр на SDL_OpenAudioDevice() 0 , и он работал так, как ожидалось!