Tutorial   Class/Enum List   File List   Compound Members  

The RtAudio Tutorial

Introduction    Download    Getting Started    Error Handling    Probing Device Capabilities    Device Settings    Playback (blocking functionality)    Playback (callback functionality)    Recording    Duplex Mode    Summary of Methods    Compiling    OS Notes    Acknowledgments

Introduction

RtAudio is a C++ class which provides a common API (Application Programming Interface) for realtime audio input/output across Linux (native ALSA and OSS), SGI, and Windows operating systems. RtAudio significantly simplifies the process of interacting with computer audio hardware. It was designed with the following goals:

RtAudio incorporates the concept of audio streams, which represent audio output (playback) and/or input (recording). Available audio devices and their capabilities can be enumerated and then specified when opening a stream. Multiple streams can run at the same time and, when allowed by the underlying audio API, a single device can serve multiple streams.

The RtAudio API provides both blocking (synchronous) and callback (asynchronous) functionality. Callbacks are typically used in conjunction with graphical user interfaces (GUI). Blocking functionality is often necessary for explicit control of multiple input/output stream synchronization or when audio must be synchronized with other system events.

Download

Latest Release (22 January 2002): Version 2.0 (111 kB tar/gzipped)

Getting Started

The first thing that must be done when using RtAudio is to create an instance of the class. The default constructor RtAudio::RtAudio() scans the underlying audio system to verify that at least one device is available. RtAudio often uses C++ exceptions to report errors, necessitating try/catch blocks around most member functions. The following code example demonstrates default object construction and destruction:

#include "RtAudio.h"

int main()
{
  RtAudio *audio;

  // Default RtAudio constructor
  try {
    audio = new RtAudio();
  }
  catch (RtAudioError &error) {
    // Handle the exception here
  }

  // Clean up
  delete audio;
}

Obviously, this example doesn't demonstrate any of the real functionality of RtAudio. However, all uses of RtAudio must begin with a constructor (either default or overloaded varieties) and must end with class destruction. Further, it is necessary that all class methods which can throw a C++ exception be called within a try/catch block.

Error Handling

RtAudio uses a C++ exception handler called RtAudioError, which is declared and defined within the RtAudio class files. The RtAudioError class is quite simple but it does allow errors to be "caught" by RtAudioError::TYPE. Almost all RtAudio methods can "throw" an RtAudioError, most typically if an invalid stream identifier is supplied to a method or a driver error occurs. There are a number of cases within RtAudio where warning messages may be displayed but an exception is not thrown. There is a private RtAudio method, error(), which can be modified to globally control how these messages are handled and reported.

Probing Device Capabilities

A programmer may wish to query the available audio device capabilities before deciding which to use. The following example outlines how this can be done.

// probe.cpp

#include <iostream.h>
#include "RtAudio.h"

int main()
{
  RtAudio *audio;

  // Default RtAudio constructor
  try {
    audio = new RtAudio();
  }
  catch (RtAudioError &error) {
    error.printMessage();
    exit(EXIT_FAILURE);
  }

  // Determine the number of devices available
  int devices = audio->getDeviceCount();

  // Scan through devices for various capabilities
  RtAudio::RTAUDIO_DEVICE info;
  for (int i=0; i<devices; i++) {

    try {
      audio->getDeviceInfo(i, &info);
    }
    catch (RtAudioError &error) {
      error.printMessage();
      break;
    }

    // Print, for example, the maximum number of output channels for each device
    cout << "device = " << i;
    cout << ": maximum output channels = " << info.maxOutputChannels << endl;
  }

  // Clean up
  delete audio;

  return 0;
}

The RTAUDIO_DEVICE structure is defined in RtAudio.h and provides a variety of information useful in assessing the capabilities of a device:

  typedef struct {
    char name[128];
    DEVICE_ID id[2];                      // No value reported by getDeviceInfo().
    bool probed;                          // true if the device probe was successful.
    int maxOutputChannels;
    int maxInputChannels;
    int maxDuplexChannels;
    int minOutputChannels;
    int minInputChannels;
    int minDuplexChannels;
    bool hasDuplexSupport;                // true if duplex supported
    int nSampleRates;                     // Number of discrete rates, or -1 if range supported.
    double sampleRates[MAX_SAMPLE_RATES]; // Supported sample rates, or {min, max} if range.
    RTAUDIO_FORMAT nativeFormats;
  } RTAUDIO_DEVICE;

The following data formats are defined and fully supported by RtAudio:

  typedef unsigned long RTAUDIO_FORMAT;
  static const RTAUDIO_FORMAT  RTAUDIO_SINT8;   // Signed 8-bit integer
  static const RTAUDIO_FORMAT  RTAUDIO_SINT16;  // Signed 16-bit integer
  static const RTAUDIO_FORMAT  RTAUDIO_SINT24;  // Signed 24-bit integer
  static const RTAUDIO_FORMAT  RTAUDIO_SINT32;  // Signed 32-bit integer
  static const RTAUDIO_FORMAT  RTAUDIO_FLOAT32; // 32-bit float
  static const RTAUDIO_FORMAT  RTAUDIO_FLOAT64; // 64-bit double

The nativeFormats member of the RtAudio::RTAUDIO_DEVICE structure is a bit mask of the above formats which are natively supported by the device. However, RtAudio will automatically provide format conversion if a particular format is not natively supported. When the probed member of the RTAUDIO_DEVICE structure is false, the remaining structure members are likely unknown and the device is probably unusable.

In general, the user need not be concerned with the minimum channel values reported in the RTAUDIO_DEVICE structure. While some audio devices may require a minimum channel value > 1, RtAudio will provide automatic channel number compensation when the number of channels set by the user is less than that required by the device. Channel compensation is NOT possible when the number of channels set by the user is greater than that supported by the device.

It should be noted that the capabilities reported by a device driver or underlying audio API are not always accurate and/or may be dependent on a combination of device settings.

Device Settings

The next step in using RtAudio is to open a stream with a particular set of device settings.

#include "RtAudio.h"

int main()
{
  int channels = 2;
  int sample_rate = 44100;
  int buffer_size = 256;  // 256 sample frames
  int n_buffers = 4;      // number of internal buffers used by device
  int device = 0;         // 0 indicates the default or first available device
  int stream;             // our stream identifier
  RtAudio *audio;

  // Instantiate RtAudio and open a stream within a try/catch block
  try {
    audio = new RtAudio();
    stream = audio->openStream(device, channels, 0, 0, RtAudio::RTAUDIO_FLOAT32,
                               sample_rate, &buffer_size, n_buffers);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    exit(EXIT_FAILURE);
  }

  // Clean up
  delete audio;

  return 0;
}

The RtAudio::openStream() method attempts to open a stream with a specified set of parameter values. When successful, a stream identifier is returned. In this case, we attempt to open a playback stream on device 0 with two channels, 32-bit floating point data, a sample rate of 44100 Hz, a frame rate of 256 sample frames per read/write, and 4 internal device buffers. When device = 0, RtAudio first attempts to open the default audio device with the given parameters. If that attempt fails, an attempt is made to find a device or set of devices which will meet the given parameters. If all attempts are unsuccessful, an RtAudioError is thrown. When a non-zero device value is specified, an attempt is made to open that device only.

RtAudio provides four signed integer and two floating point data formats which can be specified using the RtAudio::RTAUDIO_FORMAT parameter values mentioned earlier. If the opened device does not natively support the given format, RtAudio will automatically perform the necessary data format conversion.

Buffer sizes in RtAudio are ALWAYS given in sample frame units. For example, if you open an output stream with 4 channels and set bufferSize to 512, you will have to write 2048 samples of data to the output buffer within your callback or between calls to RtAudio::tickStream(). In this case, a single sample frame of data contains 4 samples of data.

The bufferSize parameter specifies the desired number of sample frames which will be written to and/or read from a device per write/read operation. The nBuffers parameter is used in setting the underlying device buffer parameters. Both the bufferSize and nBuffers parameters can be used to control stream latency though there is no guarantee that the passed values will be those used by a device. In general, lower values for both parameters will produce less latency but perhaps less robust performance. Both parameters can be specified with values of zero, in which case the smallest allowable values will be used. The bufferSize parameter is passed as a pointer and the actual value used by the stream is set during the device setup procedure. bufferSize values should be a power of two. Optimal and allowable buffer values tend to vary between systems and devices. Check the OS Notes section for general guidelines.

As noted earlier, the device capabilities reported by a driver or underlying audio API are not always accurate and/or may be dependent on a combination of device settings. Because of this, RtAudio does not attempt to query a device's capabilities or use previously reported values when opening a device. Instead, RtAudio simply attempts to set the given parameters on a specified device and then checks whether the setup is successful or not.

Playback (blocking functionality)

Once the device is open for playback, there are only a few final steps necessary for realtime audio output. We'll first provide an example (blocking functionality) and then discuss the details.

// playback.cpp

#include "RtAudio.h"

int main()
{
  int count;
  int channels = 2;
  int sample_rate = 44100;
  int buffer_size = 256;  // 256 sample frames
  int n_buffers = 4;      // number of internal buffers used by device
  float *buffer;
  int device = 0;         // 0 indicates the default or first available device
  int stream;             // our stream identifier
  RtAudio *audio;

  // Open a stream during RtAudio instantiation
  try {
    audio = new RtAudio(&stream, device, channels, 0, 0, RtAudio::RTAUDIO_FLOAT32,
                        sample_rate, &buffer_size, n_buffers);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    exit(EXIT_FAILURE);
  }

  try {
    // Get a pointer to the stream buffer
    buffer = (float *) audio->getStreamBuffer(stream);

    // Start the stream
    audio->startStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    goto cleanup;
  }

  // An example loop which runs for about 40000 sample frames
  count = 0;
  while (count < 40000) {
    // Generate your samples and fill the buffer with buffer_size sample frames of data
    ...

    // Trigger the output of the data buffer
    try {
      audio->tickStream(stream);
    }
    catch (RtAudioError &error) {
      error.printMessage();
      goto cleanup;
    }

    count += buffer_size;
  }

  try {
    // Stop and close the stream
    audio->stopStream(stream);
    audio->closeStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
  }

 cleanup:
  delete audio;

  return 0;
}

The first thing to notice in this example is that we attempt to open a stream during class instantiation with an overloaded constructor. This constructor simply combines the functionality of the default constructor, used earlier, and the RtAudio::openStream() method. Again, we have specified a device value of 0, indicating that the default or first available device meeting the given parameters should be used. The integer identifier of the opened stream is returned via the stream pointer value. An attempt is made to open the stream with the specified bufferSize value. However, it is possible that the device will not accept this value, in which case the closest allowable size is used and returned via the pointer value. The constructor can fail if no available devices are found, or a memory allocation or device driver error occurs. Note that you should not call the RtAudio destructor if an exception is thrown during instantiation.

Because RtAudio can be used to simultaneously control more than a single stream, it is necessary that the stream identifier be provided to nearly all public methods. Assuming the constructor is successful, it is necessary to get a pointer to the buffer, provided by RtAudio, for use in feeding data to/from the opened stream. Note that the user should NOT attempt to deallocate the stream buffer memory ... memory management for the stream buffer will be automatically controlled by RtAudio. After starting the stream with RtAudio::startStream(), one simply fills that buffer, which is of length equal to the returned bufferSize value, with interleaved audio data (in the specified format) for playback. Finally, a call to the RtAudio::tickStream() routine triggers a blocking write call for the stream.

In general, one should call the RtAudio::stopStream() and RtAudio::closeStream() methods after finishing with a stream. However, both methods will implicitly be called during object destruction if necessary.

Playback (callback functionality)

The primary difference in using RtAudio with callback functionality involves the creation of a user-defined callback function. Here is an example which produces a sawtooth waveform for playback.

#include <iostream.h>
#include "RtAudio.h"

// Two-channel sawtooth wave generator.
int sawtooth(char *buffer, int buffer_size, void *data)
{
  int i, j;
  double *my_buffer = (double *) buffer;
  double *my_data = (double *) data;

  // Write interleaved audio data.
  for (i=0; i<buffer_size; i++) {
    for (j=0; j<2; j++) {
      *my_buffer++ = my_data[j];

      my_data[j] += 0.005 * (j+1+(j*0.1));
      if (my_data[j] >= 1.0) my_data[j] -= 2.0;
    }
  }

  return 0;
}

int main()
{
  int channels = 2;
  int sample_rate = 44100;
  int buffer_size = 256;  // 256 sample frames
  int n_buffers = 4;      // number of internal buffers used by device
  int device = 0;         // 0 indicates the default or first available device
  int stream;             // our stream identifier
  double data[2];
  char input;
  RtAudio *audio;

  // Open a stream during RtAudio instantiation
  try {
    audio = new RtAudio(&stream, device, channels, 0, 0, RtAudio::RTAUDIO_FLOAT64,
                        sample_rate, &buffer_size, n_buffers);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    exit(EXIT_FAILURE);
  }

  try {
    // Set the stream callback function
    audio->setStreamCallback(stream, &sawtooth, (void *)data);

    // Start the stream
    audio->startStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    goto cleanup;
  }

  cout << "\nPlaying ... press <enter> to quit.\n";
  cin.get(input);

  try {
    // Stop and close the stream
    audio->stopStream(stream);
    audio->closeStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
  }

 cleanup:
  delete audio;

  return 0;
}

After opening the device in exactly the same way as the previous example (except with a data format change), we must set our callback function for the stream using RtAudio::setStreamCallback(). This method will spawn a new process (or thread) which automatically calls the callback function when more data is needed. Note that the callback function is called only when the stream is "running" (between calls to the RtAudio::startStream() and RtAudio::stopStream() methods). The last argument to RtAudio::setStreamCallback() is a pointer to arbitrary data that you wish to access from within your callback function.

In this example, we stop the stream with an explicit call to RtAudio::stopStream(). When using callback functionality, it is also possible to stop a stream by returning a non-zero value from the callback function.

Once set with RtAudio::setStreamCallback, the callback process will continue to run for the life of the stream (until the stream is closed with RtAudio::closeStream() or the RtAudio instance is deleted). It is possible to disassociate a callback function and cancel its process for an open stream using the RtAudio::cancelStreamCallback() method. The stream can then be used with blocking functionality or a new callback can be associated with it.

Recording

Using RtAudio for audio input is almost identical to the way it is used for playback. Here's the blocking playback example rewritten for recording:

// record.cpp

#include "RtAudio.h"

int main()
{
  int count;
  int channels = 2;
  int sample_rate = 44100;
  int buffer_size = 256;  // 256 sample frames
  int n_buffers = 4;      // number of internal buffers used by device
  float *buffer;
  int device = 0;         // 0 indicates the default or first available device
  int stream;             // our stream identifier
  RtAudio *audio;

  // Instantiate RtAudio and open a stream.
  try {
    audio = new RtAudio(&stream, 0, 0, device, channels,
                        RtAudio::RTAUDIO_FLOAT32, sample_rate, &buffer_size, n_buffers);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    exit(EXIT_FAILURE);
  }

  try {
    // Get a pointer to the stream buffer
    buffer = (float *) audio->getStreamBuffer(stream);

    // Start the stream
    audio->startStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    goto cleanup;
  }

  // An example loop which runs for about 40000 sample frames
  count = 0;
  while (count < 40000) {

    // Read a buffer of data
    try {
      audio->tickStream(stream);
    }
    catch (RtAudioError &error) {
      error.printMessage();
      goto cleanup;
    }

    // Process the input samples (buffer_size sample frames) that were read
    ...

    count += buffer_size;
  }

  try {
    // Stop the stream
    audio->stopStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
  }

 cleanup:
  delete audio;

  return 0;
}

In this example, the stream was opened for recording with a non-zero inputChannels value. The only other difference between this example and that for playback involves the order of data processing in the loop, where it is necessary to first read a buffer of input data before manipulating it.

Duplex Mode

Finally, it is easy to use RtAudio for simultaneous audio input/output, or duplex operation. In this example, we use a callback function and pass our recorded data directly through for playback.

// duplex.cpp

#include <iostream.h>
#include "RtAudio.h"

// Pass-through function.
int pass(char *buffer, int buffer_size, void *)
{
  // Surprise!!  We do nothing to pass the data through.
  return 0;
}

int main()
{
  int channels = 2;
  int sample_rate = 44100;
  int buffer_size = 256;  // 256 sample frames
  int n_buffers = 4;      // number of internal buffers used by device
  int device = 0;         // 0 indicates the default or first available device
  int stream;             // our stream identifier
  double data[2];
  char input;
  RtAudio *audio;

  // Open a stream during RtAudio instantiation
  try {
    audio = new RtAudio(&stream, device, channels, device, channels, RtAudio::RTAUDIO_FLOAT64,
                        sample_rate, &buffer_size, n_buffers);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    exit(EXIT_FAILURE);
  }

  try {
    // Set the stream callback function
    audio->setStreamCallback(stream, &pass, NULL);

    // Start the stream
    audio->startStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
    goto cleanup;
  }

  cout << "\nRunning duplex ... press <enter> to quit.\n";
  cin.get(input);

  try {
    // Stop and close the stream
    audio->stopStream(stream);
    audio->closeStream(stream);
  }
  catch (RtAudioError &error) {
    error.printMessage();
  }

 cleanup:
  delete audio;

  return 0;
}

When an RtAudio stream is running in duplex mode (nonzero input AND output channels), the audio write (playback) operation always occurs before the audio read (record) operation. This sequence allows the use of a single buffer to store both output and input data.

As we see with this example, the write-read sequence of operations does not preclude the use of RtAudio in situations where input data is first processed and then output through a duplex stream. When the stream buffer is first allocated, it is initialized with zeros, which produces no audible result when output to the device. In this example, anything recorded by the audio stream input will be played out during the next round of audio processing.

Note that duplex operation can also be achieved by opening one output stream and one input stream using the same or different devices. However, there may be timing problems when attempting to use two different devices, due to possible device clock variations. This becomes even more difficult to achieve using two separate callback streams because it is not possible to explicitly control the calling order of the callback functions.

Summary of Methods

The following is short summary of public methods (not including constructors and the destructor) provided by RtAudio:

Compiling

In order to compile RtAudio for a specific OS and audio API, it is necessary to supply the appropriate preprocessor definition and library within the compiler statement:

OS: Audio API: Preprocessor Definition: Library: Example Compiler Statement:
Linux ALSA __LINUX_ALSA_ libasound, libpthread g++ -Wall -D__LINUX_ALSA_ -o probe probe.cpp RtAudio.cpp -lasound -lpthread
Linux OSS __LINUX_OSS_ libpthread g++ -Wall -D__LINUX_OSS_ -o probe probe.cpp RtAudio.cpp -lpthread
Irix AL __IRIX_AL_ libaudio, libpthread CC -Wall -D__IRIX_AL_ -o probe probe.cpp RtAudio.cpp -laudio -lpthread
Windows Direct Sound __WINDOWS_DS_ dsound.lib (ver. 5.0 or higher), multithreaded compiler specific

The example compiler statements above could be used to compile the probe.cpp example file, assuming that probe.cpp, RtAudio.h, and RtAudio.cpp all exist in the same directory.

OS Notes

RtAudio is designed to provide a common API across the various supported operating systems and audio libraries. Despite that, however, some issues need to be mentioned with regard to each.

Linux:

RtAudio for Linux was developed under Redhat distributions 7.0 - 7.2. Two different audio APIs are supported on Linux platforms: OSS and ALSA. The OSS API has existed for at least 6 years and the Linux kernel is distributed with free versions of OSS audio drivers. Therefore, a generic Linux system is most likely to have OSS support. The ALSA API is relatively new and at this time is not part of the Linux kernel distribution. Work is in progress to make ALSA part of the 2.5 development kernel series. Despite that, the ALSA API offers significantly better functionality than the OSS API. RtAudio provides support for the 0.9 and higher versions of ALSA. Input/output latency on the order of 15-20 milliseconds can typically be achieved under both OSS or ALSA by fine-tuning the RtAudio buffer parameters (without kernel modifications). Latencies on the order of 5 milliseconds or less can be achieved using a low-latency kernel patch and increasing FIFO scheduling priority. The pthread library, which is used for callback functionality, is a standard component of all Linux distributions.

The ALSA library includes OSS emulation support. That means that you can run programs compiled for the OSS API even when using the ALSA drivers and library. It should be noted however that OSS emulation under ALSA is not perfect. Specifically, channel number queries seem to consistently produce invalid results. While OSS emulation is successful for the majority of RtAudio tests, it is recommended that the native ALSA implementation of RtAudio be used on systems which have ALSA drivers installed.

The ALSA implementation of RtAudio makes no use of the ALSA "plug" interface. All necessary data format conversions, channel compensation, deinterleaving, and byte-swapping is handled by internal RtAudio routines.

Irix (SGI):

The Irix version of RtAudio was written and tested on an SGI Indy running Irix version 6.5 and the newer "al" audio library. RtAudio does not compile under Irix version 6.3 because the C++ compiler is too old. Despite the relatively slow speed of the Indy, RtAudio was found to behave quite well and input/output latency was very good. No problems were found with respect to using the pthread library.

Windows:

RtAudio under Windows is written using the DirectSound API. In order to compile RtAudio under Windows, you must have the header and source files for DirectSound version 0.5 or higher. As far as I know, you cannot compile RtAudio for Windows NT because there is not sufficient DirectSound support. Audio output latency with DirectSound can be reasonably good (on the order of 20 milliseconds). On the other hand, input audio latency tends to be terrible (100 milliseconds or more). Further, DirectSound drivers tend to crash easily when experimenting with buffer parameters. On my system, I found it necessary to use values around nBuffers = 8 and bufferSize = 512 to avoid crashing my system. RtAudio was developed with Visual C++ version 6.0. I was forced in several instances to modify code in order to get it to compile under the non-standard version of C++ that Microsoft so unprofessionally implemented. We can only hope that the developers of Visual C++ 7.0 will have time to read the C++ standard.

Acknowledgments

The RtAudio API incorporates many of the concepts developed in the PortAudio project by Phil Burk and Ross Bencina. Early development also incorporated ideas from Bill Schottstaedt's sndlib. The CCRMA SoundWire group provided valuable feedback during the API proposal stages.

RtAudio was slowly developed over the course of many months while in residence at the Institut Universitari de L'Audiovisual (IUA) in Barcelona, Spain, the Laboratory of Acoustics and Audio Signal Processing at the Helsinki University of Technology, Finland, and the Center for Computer Research in Music and Acoustics (CCRMA) at Stanford University. This work was supported in part by the United States Air Force Office of Scientific Research (grant #F49620-99-1-0293).

These documentation files were generated using doxygen by Dimitri van Heesch.


©2001-2002 CCRMA, Stanford University. All Rights Reserved.
Maintained by Gary P. Scavone, gary@ccrma.stanford.edu