Introduction
Audio on the web has been fairly primitive up to this point and until
very recently has had to be delivered through plugins such as Flash and
QuickTime. The introduction of the audio
element in HTML5
is very important, allowing for basic streaming audio playback. But, it
is not powerful enough to handle more complex audio applications. For
sophisticated web-based games or interactive applications, another
solution is required. It is a goal of this specification to include the
capabilities found in modern game audio engines as well as some of the
mixing, processing, and filtering tasks that are found in modern
desktop audio production applications.
The APIs have been designed with a wide variety of use cases [webaudio-usecases] in mind. Ideally, it should be able to support any use case which could reasonably be implemented with an optimized C++ engine controlled via script and run in a browser. That said, modern desktop audio software can have very advanced capabilities, some of which would be difficult or impossible to build with this system. Apple’s Logic Audio is one such application which has support for external MIDI controllers, arbitrary plugin audio effects and synthesizers, highly optimized direct-to-disk audio file reading/writing, tightly integrated time-stretching, and so on. Nevertheless, the proposed system will be quite capable of supporting a large range of reasonably complex games and interactive applications, including musical ones. And it can be a very good complement to the more advanced graphics features offered by WebGL. The API has been designed so that more advanced capabilities can be added at a later time.
Features
The API supports these primary features:
-
Modular routing for simple or complex mixing/effect architectures, including multiple sends and submixes.
-
High dynamic range, using 32bits floats for internal processing.
-
Sample-accurate scheduled sound playback with low latency for musical applications requiring a very high degree of rhythmic precision such as drum machines and sequencers. This also includes the possibility of dynamic creation of effects.
-
Automation of audio parameters for envelopes, fade-ins / fade-outs, granular effects, filter sweeps, LFOs etc.
-
Flexible handling of channels in an audio stream, allowing them to be split and merged.
-
Processing of audio sources from an
audio
orvideo
media element
. -
Processing live audio input using a
MediaStream
from getUserMedia(). -
Integration with WebRTC
-
Processing audio received from a remote peer using a
MediaStreamTrackAudioSourceNode
and [webrtc]. -
Sending a generated or processed audio stream to a remote peer using a
MediaStreamAudioDestinationNode
and [webrtc].
-
-
Audio stream synthesis and processing directly using scripts.
-
Spatialized audio supporting a wide range of 3D games and immersive environments:
-
Panning models: equalpower, HRTF, pass-through
-
Distance Attenuation
-
Sound Cones
-
Obstruction / Occlusion
-
Source / Listener based
-
-
A convolution engine for a wide range of linear effects, especially very high-quality room effects. Here are some examples of possible effects:
-
Small / large room
-
Cathedral
-
Concert hall
-
Cave
-
Tunnel
-
Hallway
-
Forest
-
Amphitheater
-
Sound of a distant room through a doorway
-
Extreme filters
-
Strange backwards effects
-
Extreme comb filter effects
-
-
Dynamics compression for overall control and sweetening of the mix
-
Efficient real-time time-domain and frequency analysis / music visualizer support.
-
Efficient biquad filters for lowpass, highpass, and other common filters.
-
A Waveshaping effect for distortion and other non-linear effects
-
Oscillators
Modular Routing
Modular routing allows arbitrary connections between different AudioNode
objects. Each node can have inputs and/or outputs.
A source node has no inputs and a single output.
A destination node has one input and no outputs. Other nodes such as
filters can be placed between the source and destination nodes. The
developer doesn’t have to worry about low-level stream format
details when two objects are connected together; the right thing just happens.
For example, if a mono audio stream is connected to a
stereo input it should just mix to left and right channels appropriately.
In the simplest case, a single source can be routed directly to the output.
All routing occurs within an AudioContext
containing a single AudioDestinationNode
:
Illustrating this simple routing, here’s a simple example playing a single sound:
var context = new AudioContext(); function playSound() { var source = context.createBufferSource(); source.buffer = dogBarkingBuffer; source.connect(context.destination); source.start(0); }
Here’s a more complex example with three sources and a convolution reverb send with a dynamics compressor at the final output stage:
var context = 0;var compressor = 0;var reverb = 0;var source1 = 0;var source2 = 0;var source3 = 0;var lowpassFilter = 0;var waveShaper = 0;var panner = 0;var dry1 = 0;var dry2 = 0;var dry3 = 0;var wet1 = 0;var wet2 = 0;var wet3 = 0;var masterDry = 0;var masterWet = 0;function setupRoutingGraph () { context = new AudioContext(); // Create the effects nodes. lowpassFilter = context.createBiquadFilter(); waveShaper = context.createWaveShaper(); panner = context.createPanner(); compressor = context.createDynamicsCompressor(); reverb = context.createConvolver(); // Create master wet and dry. masterDry = context.createGain(); masterWet = context.createGain(); // Connect final compressor to final destination. compressor.connect(context.destination); // Connect master dry and wet to compressor. masterDry.connect(compressor); masterWet.connect(compressor); // Connect reverb to master wet. reverb.connect(masterWet); // Create a few sources. source1 = context.createBufferSource(); source2 = context.createBufferSource(); source3 = context.createOscillator(); source1.buffer = manTalkingBuffer; source2.buffer = footstepsBuffer; source3.frequency.value = 440; // Connect source1 dry1 = context.createGain(); wet1 = context.createGain(); source1.connect(lowpassFilter); lowpassFilter.connect(dry1); lowpassFilter.connect(wet1); dry1.connect(masterDry); wet1.connect(reverb); // Connect source2 dry2 = context.createGain(); wet2 = context.createGain(); source2.connect(waveShaper); waveShaper.connect(dry2); waveShaper.connect(wet2); dry2.connect(masterDry); wet2.connect(reverb); // Connect source3 dry3 = context.createGain(); wet3 = context.createGain(); source3.connect(panner); panner.connect(dry3); panner.connect(wet3); dry3.connect(masterDry); wet3.connect(reverb); // Start the sources now. source1.start(0); source2.start(0); source3.start(0);}
Modular routing also permits the output of AudioNode
s to be routed to an AudioParam
parameter that controls the behavior
of a different AudioNode
. In this scenario, the
output of a node can act as a modulation signal rather than an
input signal.
function setupRoutingGraph() { var context = new AudioContext(); // Create the low frequency oscillator that supplies the modulation signal var lfo = context.createOscillator(); lfo.frequency.value = 1.0; // Create the high frequency oscillator to be modulated var hfo = context.createOscillator(); hfo.frequency.value = 440.0; // Create a gain node whose gain determines the amplitude of the modulation signal var modulationGain = context.createGain(); modulationGain.gain.value = 50; // Configure the graph and start the oscillators lfo.connect(modulationGain); modulationGain.connect(hfo.detune); hfo.connect(context.destination); hfo.start(0); lfo.start(0);}
API Overview
The interfaces defined are:
-
An AudioContext interface, which contains an audio signal graph representing connections between
AudioNode
s. -
An
AudioNode
interface, which represents audio sources, audio outputs, and intermediate processing modules.AudioNode
s can be dynamically connected together in a modular fashion.AudioNode
s exist in the context of anAudioContext
. -
An
AnalyserNode
interface, anAudioNode
for use with music visualizers, or other visualization applications. -
An
AudioBuffer
interface, for working with memory-resident audio assets. These can represent one-shot sounds, or longer audio clips. -
An
AudioBufferSourceNode
interface, anAudioNode
which generates audio from an AudioBuffer. -
An
AudioDestinationNode
interface, anAudioNode
subclass representing the final destination for all rendered audio. -
An
AudioParam
interface, for controlling an individual aspect of anAudioNode
's functioning, such as volume. -
An
AudioListener
interface, which works with aPannerNode
for spatialization. -
An
AudioWorklet
interface representing a factory for creating custom nodes that can process audio directly using scripts. -
An
AudioWorkletGlobalScope
interface, the context in which AudioWorkletProcessor processing scripts run. -
An
AudioWorkletNode
interface, anAudioNode
representing a node processed in an AudioWorkletProcessor. -
An
AudioWorkletProcessor
interface, representing a single node instance inside an audio worker. -
A
BiquadFilterNode
interface, anAudioNode
for common low-order filters such as:-
Low Pass
-
High Pass
-
Band Pass
-
Low Shelf
-
High Shelf
-
Peaking
-
Notch
-
Allpass
-
-
A
ChannelMergerNode
interface, anAudioNode
for combining channels from multiple audio streams into a single audio stream. -
A
ChannelSplitterNode
interface, anAudioNode
for accessing the individual channels of an audio stream in the routing graph. -
A
ConstantSourceNode
interface, anAudioNode
for generating a nominally constant output value with anAudioParam
to allow automation of the value. -
A
ConvolverNode
interface, anAudioNode
for applying a real-time linear effect (such as the sound of a concert hall). -
A
DelayNode
interface, anAudioNode
which applies a dynamically adjustable variable delay. -
A
DynamicsCompressorNode
interface, anAudioNode
for dynamics compression. -
A
GainNode
interface, anAudioNode
for explicit gain control. Because inputs toAudioNode
s support multiple connections (as a unity-gain summing junction), mixers can be easily built with GainNodes. -
An
IIRFilterNode
interface, anAudioNode
for a general IIR filter. -
A
MediaElementAudioSourceNode
interface, anAudioNode
which is the audio source from anaudio
,video
, or other media element. -
A
MediaStreamAudioSourceNode
interface, anAudioNode
which is the audio source from a MediaStream such as live audio input, or from a remote peer. -
A
MediaStreamTrackAudioSourceNode
interface, anAudioNode
which is the audio source from a MediaStreamTrack. -
A
MediaStreamAudioDestinationNode
interface, anAudioNode
which is the audio destination to a MediaStream sent to a remote peer. -
A
PannerNode
interface, anAudioNode
for spatializing / positioning audio in 3D space. -
A
PeriodicWave
interface for specifying custom periodic waveforms for use by theOscillatorNode
. -
An
OscillatorNode
interface, anAudioNode
for generating a periodic waveform. -
A
StereoPannerNode
interface, anAudioNode
for equal-power positioning of audio input in a stereo stream. -
A
WaveShaperNode
interface, anAudioNode
which applies a non-linear waveshaping effect for distortion and other more subtle warming effects.
There are also several features that have been deprecated from the Web Audio API but not yet removed, pending implementation experience of their replacements:
-
A
ScriptProcessorNode
interface, anAudioNode
for generating or processing audio directly using scripts. -
An
AudioProcessingEvent
interface, which is an event type used withScriptProcessorNode
objects.
1. The Audio API
1.1. The BaseAudioContext
Interface
This interface represents a set of AudioNode
objects and their connections. It allows for arbitrary routing of
signals to an AudioDestinationNode
. Nodes are
created from the context and are then connected together.
BaseAudioContext
is not instantiated directly,
but is instead extended by the concrete interfaces AudioContext
(for real-time rendering) and OfflineAudioContext
(for offline rendering).
enum AudioContextState
{
"suspended",
"running",
"closed"
};
Enumeration description | |
---|---|
"suspended "
| This context is currently suspended (context time is not proceeding, audio hardware may be powered down/released). |
"running "
| Audio is being processed. |
"closed "
| This context has been released, and can no longer be used to
process audio. All system audio resources have been released. Attempts to create new Nodes on the
AudioContext will throw InvalidStateError .
(AudioBuffers may still be created,
through createBuffer() , decodeAudioData() ,
or the AudioBuffer constructor.)
|
callback DecodeErrorCallback = void (DOMExceptionerror
); callback DecodeSuccessCallback = void (AudioBufferdecodedData
); [Exposed=Window] interfaceBaseAudioContext
: EventTarget { readonly attribute AudioDestinationNode destination; readonly attribute float sampleRate; readonly attribute double currentTime; readonly attribute AudioListener listener; readonly attribute AudioContextState state; [SameObject, SecureContext] readonly attribute AudioWorklet audioWorklet; attribute EventHandler onstatechange; AnalyserNode createAnalyser (); BiquadFilterNode createBiquadFilter (); AudioBuffer createBuffer (unsigned longnumberOfChannels
, unsigned longlength
, floatsampleRate
); AudioBufferSourceNode createBufferSource (); ChannelMergerNode createChannelMerger (optional unsigned long numberOfInputs = 6); ChannelSplitterNode createChannelSplitter (optional unsigned long numberOfOutputs = 6); ConstantSourceNode createConstantSource (); ConvolverNode createConvolver (); DelayNode createDelay (optional double maxDelayTime = 1.0); DynamicsCompressorNode createDynamicsCompressor (); GainNode createGain (); IIRFilterNode createIIRFilter (sequence<double>feedforward
, sequence<double>feedback
); OscillatorNode createOscillator (); PannerNode createPanner (); PeriodicWave createPeriodicWave (sequence<float>real
, sequence<float>imag
, optional PeriodicWaveConstraintsconstraints
); ScriptProcessorNode createScriptProcessor(optional unsigned long bufferSize = 0, optional unsigned long numberOfInputChannels = 2, optional unsigned long numberOfOutputChannels = 2); StereoPannerNode createStereoPanner (); WaveShaperNode createWaveShaper (); Promise<AudioBuffer> decodeAudioData (ArrayBufferaudioData
, optional DecodeSuccessCallbacksuccessCallback
, optional DecodeErrorCallbackerrorCallback
); Promise<void> resume (); };
1.1.1. Attributes
audioWorklet
, of type AudioWorklet, readonly-
Allows access to the
Worklet
object that can import a script containingAudioWorkletProcessor
class definitions via the algorithms defined by [worklets-1] andAudioWorklet
. currentTime
, of type double, readonly-
This is the time in seconds of the sample frame immediately following the last sample-frame in the block of audio most recently processed by the context’s rendering graph. If the context’s rendering graph has not yet processed a block of audio, then
currentTime
has a value of zero.In the time coordinate system of
currentTime
, the value of zero corresponds to the first sample-frame in the first block processed by the graph. Elapsed time in this system corresponds to elapsed time in the audio stream generated by theBaseAudioContext
, which may not be synchronized with other clocks in the system. (For anOfflineAudioContext
, since the stream is not being actively played by any device, there is not even an approximation to real time.)All scheduled times in the Web Audio API are relative to the value of
currentTime
.When the
BaseAudioContext
is in the "running
" state, the value of this attribute is monotonically increasing and is updated by the rendering thread in uniform increments, corresponding to one render quantum. Thus, for a running context,currentTime
increases steadily as the system processes audio blocks, and always represents the time of the start of the next audio block to be processed. It is also the earliest possible time when any change scheduled in the current state might take effect.currentTime
MUST be read atomically on the control thread before being returned. destination
, of type AudioDestinationNode, readonly-
An
AudioDestinationNode
with a single input representing the final destination for all audio. Usually this will represent the actual audio hardware. AllAudioNode
s actively rendering audio will directly or indirectly connect todestination
. listener
, of type AudioListener, readonly-
An
AudioListener
which is used for 3D spatialization. onstatechange
, of type EventHandler-
A property used to set the
EventHandler
for an event that is dispatched toBaseAudioContext
when the state of the AudioContext has changed (i.e. when the corresponding promise would have resolved). An event of typeEvent
will be dispatched to the event handler, which can query the AudioContext’s state directly. A newly-created AudioContext will always begin in thesuspended
state, and a state change event will be fired whenever the state changes to a different state. This event is fired before theoncomplete
event is fired. sampleRate
, of type float, readonly-
The sample rate (in sample-frames per second) at which the
BaseAudioContext
handles audio. It is assumed that allAudioNode
s in the context run at this rate. In making this assumption, sample-rate converters or "varispeed" processors are not supported in real-time processing. The Nyquist frequency is half this sample-rate value. state
, of type AudioContextState, readonly-
Describes the current state of the
AudioContext
, on the control thread.
1.1.2. Methods
createAnalyser()
-
Factory method for an
AnalyserNode
.No parameters.Return type:AnalyserNode
createBiquadFilter()
-
Factory method for a
BiquadFilterNode
representing a second order filter which can be configured as one of several common filter types.No parameters.Return type:BiquadFilterNode
createBuffer(numberOfChannels, length, sampleRate)
-
Creates an AudioBuffer of the given size. The audio data in the buffer will be zero-initialized (silent). A
NotSupportedError
exception MUST be thrown if any of the arguments is negative, zero, or outside its nominal range.Arguments for the BaseAudioContext.createBuffer() method. Parameter Type Nullable Optional Description numberOfChannels
unsigned long ✘ ✘ Determines how many channels the buffer will have. An implementation MUST support at least 32 channels. length
unsigned long ✘ ✘ Determines the size of the buffer in sample-frames. sampleRate
float ✘ ✘ Describes the sample-rate of the linear PCM audio data in the buffer in sample-frames per second. An implementation MUST support sample rates in at least the range 8000 to 96000. Return type:AudioBuffer
createBufferSource()
-
Factory method for a
AudioBufferSourceNode
.No parameters.Return type:AudioBufferSourceNode
createChannelMerger(numberOfInputs)
-
Factory method for a
ChannelMergerNode
representing a channel merger. AnIndexSizeError
exception MUST be thrown for invalid parameter values.Arguments for the BaseAudioContext.createChannelMerger(numberOfInputs) method. Parameter Type Nullable Optional Description numberOfInputs
unsigned long ✘ ✔ Determines the number of inputs. Values of up to 32 MUST be supported. If not specified, then 6
will be used.Return type:ChannelMergerNode
createChannelSplitter(numberOfOutputs)
-
Factory method for a
ChannelSplitterNode
representing a channel splitter. AnIndexSizeError
exception MUST be thrown for invalid parameter values.Arguments for the BaseAudioContext.createChannelSplitter(numberOfOutputs) method. Parameter Type Nullable Optional Description numberOfOutputs
unsigned long ✘ ✔ The number of outputs. Values of up to 32 MUST be supported. If not specified, then 6
will be used.Return type:ChannelSplitterNode
createConstantSource()
-
Factory method for a
ConstantSourceNode
.No parameters.Return type:ConstantSourceNode
createConvolver()
-
Factory method for a
ConvolverNode
.No parameters.Return type:ConvolverNode
createDelay(maxDelayTime)
-
Factory method for a
DelayNode
. The initial default delay time will be 0 seconds.Arguments for the BaseAudioContext.createDelay(maxDelayTime) method. Parameter Type Nullable Optional Description maxDelayTime
double ✘ ✔ Specifies the maximum delay time in seconds allowed for the delay line. If specified, this value MUST be greater than zero and less than three minutes or a NotSupportedError
exception MUST be thrown. If not specified, then1
will be used.Return type:DelayNode
createDynamicsCompressor()
-
Factory method for a
DynamicsCompressorNode
.No parameters.Return type:DynamicsCompressorNode
createGain()
-
Factory method for
GainNode
.No parameters.Return type:GainNode
createIIRFilter(feedforward, feedback)
-
Arguments for the BaseAudioContext.createIIRFilter() method. Parameter Type Nullable Optional Description feedforward
sequence<double> ✘ ✘ An array of the feedforward (numerator) coefficients for the transfer function of the IIR filter. The maximum length of this array is 20. If all of the values are zero, an InvalidStateError
MUST be thrown. ANotSupportedError
MUST be thrown if the array length is 0 or greater than 20.feedback
sequence<double> ✘ ✘ An array of the feedback (denominator) coefficients for the transfer function of the IIR filter. The maximum length of this array is 20. If the first element of the array is 0, an InvalidStateError
MUST be thrown. ANotSupportedError
MUST be thrown if the array length is 0 or greater than 20.Return type:IIRFilterNode
createOscillator()
-
Factory method for an
OscillatorNode
.No parameters.Return type:OscillatorNode
createPanner()
-
Factory method for a
PannerNode
.No parameters.Return type:PannerNode
createPeriodicWave(real, imag, constraints)
-
Factory method to create a
PeriodicWave
.When calling this method, execute these steps:-
If
real
andimag
are not of the same length, anIndexSizeError
MUST be thrown. -
Let o be a new object of type
PeriodicWaveOptions
. -
Respectively set the
real
andimag
parameters passed to this factory method to the attributes of the same name on o. -
Set the
disableNormalization
attribute on o to the value of thedisableNormalization
attribute of theconstraints
attribute passed to the factory method. -
Construct a new
PeriodicWave
p, passing theBaseAudioContext
this factory method has been called on as a first argument, and o. -
Return p.
Arguments for the BaseAudioContext.createPeriodicWave() method. Parameter Type Nullable Optional Description real
sequence<float> ✘ ✘ A sequence of cosine parameters. See its real
constructor argument for a more detailed description.imag
sequence<float> ✘ ✘ A sequence of sine parameters. See its imag
constructor argument for a more detailed description.constraints
PeriodicWaveConstraints ✘ ✔ If not given, the waveform is normalized. Otherwise, the waveform is normalized according the value given by constraints
.Return type:PeriodicWave
-
createScriptProcessor(bufferSize, numberOfInputChannels, numberOfOutputChannels)
-
Factory method for a
ScriptProcessorNode
. This method is DEPRECATED, as it is intended to be replaced byAudioWorkletNode
. Creates aScriptProcessorNode
for direct audio processing using scripts. AnIndexSizeError
exception MUST be thrown ifbufferSize
ornumberOfInputChannels
ornumberOfOutputChannels
are outside the valid range.It is invalid for both
numberOfInputChannels
andnumberOfOutputChannels
to be zero. In this case anIndexSizeError
MUST be thrown.Arguments for the BaseAudioContext.createScriptProcessor(bufferSize, numberOfInputChannels, numberOfOutputChannels) method. Parameter Type Nullable Optional Description bufferSize
unsigned long ✘ ✔ The bufferSize
parameter determines the buffer size in units of sample-frames. If it’s not passed in, or if the value is 0, then the implementation will choose the best buffer size for the given environment, which will be constant power of 2 throughout the lifetime of the node. Otherwise if the author explicitly specifies the bufferSize, it MUST be one of the following values: 256, 512, 1024, 2048, 4096, 8192, 16384. This value controls how frequently theonaudioprocess
event is dispatched and how many sample-frames need to be processed each call. Lower values forbufferSize
will result in a lower (better) latency. Higher values will be necessary to avoid audio breakup and glitches. It is recommended for authors to not specify this buffer size and allow the implementation to pick a good buffer size to balance between latency and audio quality. If the value of this parameter is not one of the allowed power-of-2 values listed above, anIndexSizeError
MUST be thrown.numberOfInputChannels
unsigned long ✘ ✔ This parameter determines the number of channels for this node’s input. Values of up to 32 must be supported. A NotSupportedError
must be thrown if the number of channels is not supported.numberOfOutputChannels
unsigned long ✘ ✔ This parameter determines the number of channels for this node’s output. Values of up to 32 must be supported. A NotSupportedError
must be thrown if the number of channels is not supported.Return type:ScriptProcessorNode
createStereoPanner()
-
Factory method for a
StereoPannerNode
.No parameters.Return type:StereoPannerNode
createWaveShaper()
-
Factory method for a
WaveShaperNode
representing a non-linear distortion.No parameters.Return type:WaveShaperNode
decodeAudioData(audioData, successCallback, errorCallback)
-
Asynchronously decodes the audio file data contained in the
ArrayBuffer
. TheArrayBuffer
can, for example, be loaded from anXMLHttpRequest
’sresponse
attribute after setting theresponseType
to"arraybuffer"
. Audio file data can be in any of the formats supported by theaudio
element. The buffer passed todecodeAudioData()
has its content-type determined by sniffing, as described in [mimesniff].Although the primary method of interfacing with this function is via its promise return value, the callback parameters are provided for legacy reasons. The system shall ensure that the
AudioContext
is not garbage collected before the promise is resolved or rejected and any callback function is called and completes.WhendecodeAudioData
is called, the following steps MUST be performed on the control thread:-
Let promise be a new promise.
-
If the operation
IsDetachedBuffer
(described in [ECMASCRIPT]) onaudioData
isfalse
, execute the following steps:-
Detach the
audioData
ArrayBuffer
. This operation is described in [ECMASCRIPT]. -
Queue a decoding operation to be performed on another thread.
-
-
Else, execute the following steps:
-
Let error be a
DataCloneError
. -
Reject promise with error.
-
Queue a task to invoke
errorCallback
with error.
-
-
Return promise.
When queuing a decoding operation to be performed on another thread, the following steps MUST happen on a thread that is not the control thread nor the rendering thread, called the decoding thread.Note: Multiple decoding threads can run in parallel to service multiple calls to
decodeAudioData
.-
Attempt to decode the encoded
audioData
into linear PCM. -
If a decoding error is encountered due to the audio format not being recognized or supported, or because of corrupted/unexpected/inconsistent data, then queue a task to execute the following step, on the control thread’s event loop:
-
Let error be a
DOMException
whose name isEncodingError
. -
Reject promise with error.
-
If
errorCallback
is not missing, invokeerrorCallback
with error.
-
-
Otherwise:
-
Take the result, representing the decoded linear PCM audio data, and resample it to the sample-rate of the
AudioContext
if it is different from the sample-rate ofaudioData
. -
Queue a task on the control thread’s event loop to execute the following steps:
1.Let buffer be an
AudioBuffer
containing the final result (after possibly sample-rate conversion).-
Resolve promise with buffer.
-
If
successCallback
is not missing, invokesuccessCallback
with buffer.
-
-
Arguments for the BaseAudioContext.decodeAudioData() method. Parameter Type Nullable Optional Description audioData
ArrayBuffer ✘ ✘ An ArrayBuffer containing compressed audio data. successCallback
DecodeSuccessCallback ✘ ✔ A callback function which will be invoked when the decoding is finished. The single argument to this callback is an AudioBuffer representing the decoded PCM audio data. errorCallback
DecodeErrorCallback ✘ ✔ A callback function which will be invoked if there is an error decoding the audio file. Return type:Promise
<AudioBuffer
> -
resume()
-
Resumes the progression of the
BaseAudioContext
'scurrentTime
when it has been suspended.When resume is called, execute these steps:-
Let promise be a new Promise.
-
If the control thread state flag on the
BaseAudioContext
isclosed
reject the promise withInvalidStateError
, abort these steps, returning promise. -
If the
state
attribute of theBaseAudioContext
is already "running
", resolve promise, return it, and abort these steps. -
If the
BaseAudioContext
is not allowed to start, append promise to pendingResumePromises and abort these steps, returning promise. -
Set the control thread state flag on the
BaseAudioContext
torunning
. -
Queue a control message to resume the
BaseAudioContext
. -
Return promise.
Running a control message to resume anBaseAudioContext
means running these steps on the rendering thread:-
Attempt to acquire system resources.
-
Set the rendering thread state flag on the
BaseAudioContext
torunning
. -
Start rendering the audio graph.
-
In case of failure, queue a task on the control thread to execute the following, and abort these steps:
-
Reject all promises from pendingResumePromises in order, then clear pendingResumePromises.
-
Reject promise.
-
-
Queue a task on the control thread’s event loop, to execute these steps:
-
Resolve all promises from pendingResumePromises in order, then clear pendingResumePromises.
-
Resolve promise.
-
If the
state
attribute of theBaseAudioContext
is not already "running
":-
Set the
state
attribute of theBaseAudioContext
to "running
". -
Queue a task to fire a simple event named
statechange
at theBaseAudioContext
.
-
-
No parameters. -
1.1.3. Callback DecodeSuccessCallback()
Parameters
decodedData
, of typeAudioBuffer
-
The AudioBuffer containing the decoded audio data.
1.1.4. Callback DecodeErrorCallback()
Parameters
error
, of typeDOMException
-
The error that occurred while decoding.
1.1.5. Lifetime
Once created, an AudioContext
will continue to play
sound until it has no more sound to play, or the page goes away.
1.1.6. Lack of Introspection or Serialization Primitives
The Web Audio API takes a fire-and-forget approach to
audio source scheduling. That is, source nodes are created
for each note during the lifetime of the AudioContext
, and
never explicitly removed from the graph. This is incompatible with
a serialization API, since there is no stable set of nodes that
could be serialized.
Moreover, having an introspection API would allow content script to be able to observe garbage collections.
1.1.7. System Resources Associated with BaseAudioContext
Subclasses
The subclasses AudioContext
and OfflineAudioContext
should be considered expensive objects. Creating these objects may
involve creating a high-priority thread, or using a low-latency
system audio stream, both having an impact on energy consumption.
It is usually not necessary to create more than one AudioContext
in a document.
Constructing or resuming a BaseAudioContext
subclass
involves acquiring system resources for
that context. For AudioContext
, this also requires creation
of a system audio stream. These operations return when the context
begins generating output from its associated audio graph.
Additionally, a user-agent can have an implementation-defined
maximum number of AudioContext
s, after which any attempt to
create a new AudioContext
will fail, throwing NotSupportedError
.
suspend
and close
allow authors to release system resources, including threads,
processes and audio streams. Suspending a BaseAudioContext
permits implementations to release some of its resources, and
allows it to continue to operate later by invoking resume
. Closing an AudioContext
permits implementations to release all of its
resources, after which it cannot be used or resumed again.
Note: For example, this can involve waiting for the audio callbacks to fire regularly, or to wait for the hardware to be ready for processing.
1.2. The AudioContext
Interface
This interface represents an audio graph whose AudioDestinationNode
is routed to a real-time
output device that produces a signal directed at the user. In most
use cases, only a single AudioContext
is used per
document.
An AudioContext
is said to be allowed to
start if the user agent and the system allow audio output in
the current context. In other words, if the AudioContext
control thread state is
allowed to transition from suspended
to running
.
Note: For example, a user agent could require that an AudioContext
control thread state change to
running is triggered by user activation (as described in [HTML]).
enum AudioContextLatencyCategory
{
"balanced",
"interactive",
"playback"
};
Enumeration description | |
---|---|
"balanced "
| Balance audio output latency and power consumption. |
"interactive "
| Provide the lowest audio output latency possible without glitching. This is the default. |
"playback "
| Prioritize sustained playback without interruption over audio output latency. Lowest power consumption. |
[Exposed=Window, Constructor (optional AudioContextOptionscontextOptions
)] interfaceAudioContext
: BaseAudioContext { readonly attribute double baseLatency; readonly attribute double outputLatency; AudioTimestamp getOutputTimestamp (); Promise<void> suspend (); Promise<void> close (); MediaElementAudioSourceNode createMediaElementSource (HTMLMediaElementmediaElement
); MediaStreamAudioSourceNode createMediaStreamSource (MediaStreammediaStream
); MediaStreamTrackAudioSourceNode createMediaStreamTrackSource (MediaStreamTrackmediaStreamTrack
); MediaStreamAudioDestinationNode createMediaStreamDestination (); };
1.2.1. Constructors
AudioContext(contextOptions)
-
When creating an
AudioContext
, execute these steps:-
Set a
control thread state
tosuspended
on theAudioContext
. -
Set a rendering thread state to
suspended
on theAudioContext
. -
Let pendingResumePromises be an empty ordered list of promises.
-
If
contextOptions
is given, apply the options:-
Set the internal latency of this
AudioContext
according tocontextOptions.
, as described inlatencyHint
latencyHint
. -
If
contextOptions.
is specified, set thesampleRate
sampleRate
of thisAudioContext
to this value. Otherwise, use the sample rate of the default output device. If the selected sample rate differs from the sample rate of the output device, thisAudioContext
MUST resample the audio output to match the sample rate of the output device.Note: If resampling is required, the latency of the AudioContext may be affected, possibly by a large amount.
-
-
If the
AudioContext
is not allowed to start, abort these steps. -
Send a control message to start processing.
Sending a control message to start processing means executing the following steps:-
Attempt to acquire system resources.
-
In case of failure, abort these steps.
-
Set the rendering thread state to
running
on theAudioContext
. -
Queue a task on the control thread event loop, to execute these steps:
-
Set the
state
attribute of theAudioContext
to "running
". -
Queue a task to fire a simple event named
statechange
at theAudioContext
.
-
Note: It is unfortunately not possible to programatically notify authors that the creation of the
AudioContext
failed. User-Agents are encouraged to log an informative message if they have access to a logging mechanism, such as a developer tools console.Arguments for the AudioContext.AudioContext() method. Parameter Type Nullable Optional Description contextOptions
AudioContextOptions ✘ ✔ User-specified options controlling how the AudioContext
should be constructed. -
1.2.2. Attributes
baseLatency
, of type double, readonly-
This represents the number of seconds of processing latency incurred by the
AudioContext
passing the audio from theAudioDestinationNode
to the audio subsystem. It does not include any additional latency that might be caused by any other processing between the output of theAudioDestinationNode
and the audio hardware and specifically does not include any latency incurred the audio graph itself.For example, if the audio context is running at 44.1 kHz and the
AudioDestinationNode
implements double buffering internally and can process and output audio each render quantum, then the processing latency is \((2\cdot128)/44100 = 5.805 \mathrm{ ms}\), approximately. outputLatency
, of type double, readonly-
The estimation in seconds of audio output latency, i.e., the interval between the time the UA requests the host system to play a buffer and the time at which the first sample in the buffer is actually processed by the audio output device. For devices such as speakers or headphones that produce an acoustic signal, this latter time refers to the time when a sample’s sound is produced.
The
outputLatency
attribute value depends on the platform and the connected hardware audio output device. TheoutputLatency
attribute value does not change for the context’s lifetime as long as the connected audio output device remains the same. If the audio output device is changed theoutputLatency
attribute value will be updated accordingly.
1.2.3. Methods
close()
-
Closes the
AudioContext
, releasing the system resources it’s using. This will not automatically release allAudioContext
-created objects, but will suspend the progression of theAudioContext
'scurrentTime
, and stop processing audio data.When close is called, execute these steps:-
Let promise be a new Promise.
-
If the control thread state flag on the
AudioContext
isclosed
reject the promise withInvalidStateError
, abort these steps, returning promise. -
If the
state
attribute of theAudioContext
is already "closed
", resolve promise, return it, and abort these steps. -
Set the control thread state flag on the
AudioContext
toclosed
. -
Queue a control message to the
AudioContext
. -
Return promise.
Running a control message to close anAudioContext
means running these steps on the rendering thread:-
Attempt to release system resources.
-
Set the rendering thread state to
suspended
. -
Queue a task on the control thread’s event loop, to execute these steps:
-
Resolve promise.
-
If the
state
attribute of theAudioContext
is not already "closed
":-
Set the
state
attribute of theAudioContext
to "closed
". -
Queue a task to fire a simple event named
statechange
at theAudioContext
.
-
-
When an
AudioContext
is closed, any MediaStreams andHTMLMediaElement
s that were connected to anAudioContext
will have their output ignored. That is, these will no longer cause any output to speakers or other output devices. For more flexibility in behavior, consider usingHTMLEMediaElement.captureStream()
.Note: When an
AudioContext
has been closed, implementation can choose to aggressively release more resources than when suspending.No parameters. -
createMediaElementSource(mediaElement)
-
Creates a
MediaElementAudioSourceNode
given an HTMLMediaElement. As a consequence of calling this method, audio playback from the HTMLMediaElement will be re-routed into the processing graph of theAudioContext
.Arguments for the AudioContext.createMediaElementSource() method. Parameter Type Nullable Optional Description mediaElement
HTMLMediaElement ✘ ✘ The media element that will be re-routed. Return type:MediaElementAudioSourceNode
createMediaStreamDestination()
-
Creates a
MediaStreamAudioDestinationNode
No parameters.Return type:MediaStreamAudioDestinationNode
createMediaStreamSource(mediaStream)
-
Creates a
MediaStreamAudioSourceNode
.Arguments for the AudioContext.createMediaStreamSource() method. Parameter Type Nullable Optional Description mediaStream
MediaStream ✘ ✘ The media stream that will act as source. Return type:MediaStreamAudioSourceNode
createMediaStreamTrackSource(mediaStreamTrack)
-
Creates a
MediaStreamTrackAudioSourceNode
.Arguments for the AudioContext.createMediaStreamTrackSource() method. Parameter Type Nullable Optional Description mediaStreamTrack
MediaStreamTrack ✘ ✘ The MediaStreamTrack that will act as source. The value of its kind
attribute must be equal to"audio"
, or anInvalidStateError
exception MUST be thrown.Return type:MediaStreamTrackAudioSourceNode
getOutputTimestamp()
-
Returns a new
AudioTimestamp
instance containing two correlated context’s audio stream position values: thecontextTime
member contains the time of the sample frame which is currently being rendered by the audio output device (i.e., output audio stream position), in the same units and origin as context’scurrentTime
; theperformanceTime
member contains the time estimating the moment when the sample frame corresponding to the storedcontextTime
value was rendered by the audio output device, in the same units and origin asperformance.now()
(described in [hr-time-2]).If the context’s rendering graph has not yet processed a block of audio, then
getOutputTimestamp
call returns anAudioTimestamp
instance with both members containing zero.After the context’s rendering graph has started processing of blocks of audio, its
currentTime
attribute value always exceeds thecontextTime
value obtained fromgetOutputTimestamp
method call.The value returned fromgetOutputTimestamp
method can be used to get performance time estimation for the slightly later context’s time value:function outputPerformanceTime(contextTime) { var timestamp = context.getOutputTimestamp(); var elapsedTime = contextTime - timestamp.contextTime; return timestamp.performanceTime + elapsedTime * 1000; }
In the above example the accuracy of the estimation depends on how close the argument value is to the current output audio stream position: the closer the given
contextTime
is totimestamp.contextTime
, the better the accuracy of the obtained estimation.Note: The difference between the values of the context’s
currentTime
and thecontextTime
obtained fromgetOutputTimestamp
method call cannot be considered as a reliable output latency estimation becausecurrentTime
may be incremented at non-uniform time intervals, sooutputLatency
attribute should be used instead.No parameters.Return type:AudioTimestamp
suspend()
-
Suspends the progression of
AudioContext
'scurrentTime
, allows any current context processing blocks that are already processed to be played to the destination, and then allows the system to release its claim on audio hardware. This is generally useful when the application knows it will not need theAudioContext
for some time, and wishes to temporarily release system resource associated with theAudioContext
. The promise resolves when the frame buffer is empty (has been handed off to the hardware), or immediately (with no other effect) if the context is alreadysuspended
. The promise is rejected if the context has been closed.When suspend is called, execute these steps:-
Let promise be a new Promise.
-
If the control thread state flag on the
AudioContext
isclosed
reject the promise withInvalidStateError
, abort these steps, returning promise. -
If the
state
attribute of theAudioContext
is already "suspended
", resolve promise, return it, and abort these steps. -
Set the control thread state flag on the
AudioContext
tosuspended
. -
Queue a control message to suspend the
AudioContext
. -
Return promise.
Running a control message to suspend anAudioContext
means running these steps on the rendering thread:-
Attempt to release system resources.
-
Set the rendering thread state on the
AudioContext
tosuspended
. -
Queue a task on the control thread’s event loop, to execute these steps:
-
Resolve promise.
-
If the
state
attribute of theAudioContext
is not already "suspended
":-
Set the
state
attribute of theAudioContext
to "suspended
". -
Queue a task to fire a simple event named
statechange
at theAudioContext
.
-
-
While an
AudioContext
is suspended, MediaStreams will have their output ignored; that is, data will be lost by the real time nature of media streams.HTMLMediaElement
s will similarly have their output ignored until the system is resumed.AudioWorkletNode
s andScriptProcessorNode
s will cease to have their processing handlers invoked while suspended, but will resume when the context is resumed. For the purpose ofAnalyserNode
window functions, the data is considered as a continuous stream - i.e. theresume()
/suspend()
does not cause silence to appear in theAnalyserNode
's stream of data. In particular, callingAnalyserNode
functions repeatedly when aAudioContext
is suspended MUST return the same data.No parameters. -
1.2.4. AudioContextOptions
The AudioContextOptions
dictionary is used to
specify user-specified options for an AudioContext
.
dictionary AudioContextOptions
{
(AudioContextLatencyCategory or double) latencyHint = "interactive";
float sampleRate;
};
1.2.4.1. Dictionary AudioContextOptions
Members
latencyHint
, of type(AudioContextLatencyCategory or double)
, defaulting to"interactive"
-
Identify the type of playback, which affects tradeoffs between audio output latency and power consumption.
The preferred value of the
latencyHint
is a value fromAudioContextLatencyCategory
. However, a double can also be specified for the number of seconds of latency for finer control to balance latency and power consumption. It is at the browser’s discretion to interpret the number appropriately. The actual latency used is given by AudioContext’sbaseLatency
attribute. sampleRate
, of type float-
Set the
sampleRate
to this value for theAudioContext
that will be created. The supported values are the same as the sample rates for anAudioBuffer
. ANotSupportedError
exception MUST be thrown if the specified sample rate is not supported.If
sampleRate
is not specified, the preferred sample rate of the output device for thisAudioContext
is used.
1.2.5. AudioTimestamp
dictionary AudioTimestamp
{
double contextTime;
DOMHighResTimeStamp performanceTime;
};
1.2.5.1. Dictionary AudioTimestamp
Members
contextTime
, of type double-
Represents a point in the time coordinate system of BaseAudioContext’s
currentTime
. performanceTime
, of type DOMHighResTimeStamp-
Represents a point in the time coordinate system of a
Performance
interface implementation (described in [hr-time-2]).
1.3. The OfflineAudioContext
Interface
OfflineAudioContext
is a particular type of BaseAudioContext
for rendering/mixing-down
(potentially) faster than real-time. It does not render to the audio
hardware, but instead renders as quickly as possible, fulfilling the
returned promise with the rendered result as an AudioBuffer
.
[Exposed=Window, Constructor (OfflineAudioContextOptions contextOptions), Constructor (unsigned long numberOfChannels, unsigned long length, float sampleRate)] interfaceOfflineAudioContext
: BaseAudioContext { Promise<AudioBuffer> startRendering(); Promise<void> suspend(doublesuspendTime
); readonly attribute unsigned long length; attribute EventHandler oncomplete; };
1.3.1. Constructors
OfflineAudioContext(contextOptions)
-
Let c be a new
OfflineAudioContext
object. Initialize c as follows:-
Set the
control thread state
for c to"suspended"
. -
Set the
rendering thread state
for c to"suspended"
. -
Construct an
AudioDestinationNode
with itschannelCount
set tocontextOptions.numberOfChannels
.
Arguments for the OfflineAudioContext.OfflineAudioContext(contextOptions) method. Parameter Type Nullable Optional Description contextOptions
The initial parameters needed to construct this context. -
OfflineAudioContext(numberOfChannels, length, sampleRate)
-
The
OfflineAudioContext
can constructed with the same arguments as AudioContext.createBuffer. ANotSupportedError
exception MUST be thrown if any of the arguments is negative, zero, or outside its nominal range.The OfflineAudioContext is constructed as if
new OfflineAudioContext({ numberOfChannels: numberOfChannels, length: length, sampleRate: sampleRate })
were called instead.
Arguments for the OfflineAudioContext.OfflineAudioContext(numberOfChannels, length, sampleRate) method. Parameter Type Nullable Optional Description numberOfChannels
unsigned long ✘ ✘ Determines how many channels the buffer will have. See createBuffer()
for the supported number of channels.length
unsigned long ✘ ✘ Determines the size of the buffer in sample-frames. sampleRate
float ✘ ✘ Describes the sample-rate of the linear PCM audio data in the buffer in sample-frames per second. See createBuffer()
for valid sample rates.
1.3.2. Attributes
length
, of type unsigned long, readonly-
The size of the buffer in sample-frames. This is the same as the value of the
length
parameter for the constructor. oncomplete
, of type EventHandler-
An EventHandler of type OfflineAudioCompletionEvent. It is the last event fired on an
OfflineAudioContext
.
1.3.3. Methods
startRendering()
-
Given the current connections and scheduled changes, starts rendering audio. The system shall ensure that the
OfflineAudioContext
is not garbage collected until either the promise is resolved and any callback function is called and completes, or until thesuspend
function is called.Although the primary method of getting the rendered audio data is via its promise return value, the instance will also fire an event named
complete
for legacy reasons.WhenstartRendering
is called, the following steps MUST be performed on the control thread:- Set a flag called renderingStarted on the
OfflineAudioContext
to true. - If the renderingStarted flag on the
OfflineAudioContext
is true, return a rejected promise withInvalidStateError
, and abort these steps. - Let promise be a new promise.
- Create a new
AudioBuffer
, with a number of channels, length and sample rate equal respectively to thenumberOfChannels
,length
andsampleRate
values passed to this instance’s constructor in thecontextOptions
parameter. Assign this buffer to an internal slot[[rendered buffer]]
in theOfflineAudioContext
. - If an exception was thrown during the preceding
AudioBuffer
constructor call, reject promise with this exception. - Otherwise, in the case that the buffer was successfully constructed, begin offline rendering.
- Return promise.
To begin offline rendering, the following steps MUST happen on a rendering thread that is created for the occasion.- Given the current connections and scheduled changes, start
rendering
length
sample-frames of audio into[[rendered buffer]]
- For every render quantum, check and suspend the rendering if necessary.
- If a suspended context is resumed, continue to render the buffer.
-
Once the rendering is complete, queue a task on the control thread’s event loop to perform the following
steps:
- Resolve the promise created by
startRendering()
with[[rendered buffer]]
. - Queue a task to fire an event named
complete
at this instance, using an instance ofOfflineAudioCompletionEvent
whoserenderedBuffer
property is set to[[rendered buffer]]
.
- Resolve the promise created by
No parameters.Return type:Promise
<AudioBuffer
> - Set a flag called renderingStarted on the
suspend(suspendTime)
-
Schedules a suspension of the time progression in the audio context at the specified time and returns a promise. This is generally useful when manipulating the audio graph synchronously on
OfflineAudioContext
.Note that the maximum precision of suspension is the size of the render quantum and the specified suspension time will be rounded down to the nearest render quantum boundary. For this reason, it is not allowed to schedule multiple suspends at the same quantized frame. Also, scheduling should be done while the context is not running to ensure precise suspension.
Arguments for the OfflineAudioContext.suspend() method. Parameter Type Nullable Optional Description suspendTime
double ✘ ✘ Schedules a suspension of the rendering at the specified time, which is quantized and rounded down to the render quantum size. If the quantized frame number - is negative or
- is less than or equal to the current time or
- is greater than or equal to the total render duration or
- is scheduled by another suspend for the same time,
InvalidStateError
.
1.3.4. OfflineAudioContextOptions
This specifies the options to use in constructing an OfflineAudioContext
.
dictionary OfflineAudioContextOptions
{
unsigned long numberOfChannels = 1;
required unsigned long length;
required float sampleRate;
};
1.3.4.1. Dictionary OfflineAudioContextOptions
Members
length
, of type unsigned long-
The length of the rendered
AudioBuffer
in sample-frames. numberOfChannels
, of type unsigned long, defaulting to1
-
The number of channels for this
OfflineAudioContext
. sampleRate
, of type float-
The sample rate for this
OfflineAudioContext
.
1.3.5. The OfflineAudioCompletionEvent
Interface
This is an Event
object which is dispatched to OfflineAudioContext
for legacy reasons.
[Exposed=Window,Constructor
(DOMStringtype
, OfflineAudioCompletionEventIniteventInitDict
)] interfaceOfflineAudioCompletionEvent
: Event { readonly attribute AudioBuffer renderedBuffer; };
1.3.5.1. Attributes
renderedBuffer
, of type AudioBuffer, readonly-
An
AudioBuffer
containing the rendered audio data.
1.3.5.2. OfflineAudioCompletionEventInit
dictionary OfflineAudioCompletionEventInit
: EventInit {
required AudioBuffer renderedBuffer;
};
1.3.5.2.1. Dictionary OfflineAudioCompletionEventInit
Members
renderedBuffer
, of type AudioBuffer-
Value to be assigned to the
renderedBuffer
attribute of the event.
1.4. The AudioBuffer
Interface
This interface represents a memory-resident audio asset (for one-shot
sounds and other short audio clips). Its format is non-interleaved
32-bit linear floating-point PCM values with a normal range of \([-1,
1]\), but values are not limited to this range. It can contain one or
more channels. Typically, it would be expected that the length of the
PCM data would be fairly short (usually somewhat less than a minute).
For longer sounds, such as music soundtracks, streaming should be
used with the audio
element and MediaElementAudioSourceNode
.
An AudioBuffer
may be used by one or more AudioContext
s, and can be shared between an OfflineAudioContext
and an AudioContext
.
AudioBuffer
has four internal slots:
[[number of channels]]
-
The number of audio channels for this
AudioBuffer
, which is an unsigned long. [[length]]
-
The length of each channel of this
AudioBuffer
, which is an unsigned long. [[sample rate]]
-
The sample-rate, in Hz, of this
AudioBuffer
, a float [[internal data]]
-
A data block holding the audio sample data.
[Exposed=Window, Constructor (AudioBufferOptionsoptions
)] interfaceAudioBuffer
{ readonly attribute float sampleRate; readonly attribute unsigned long length; readonly attribute double duration; readonly attribute unsigned long numberOfChannels; Float32Array getChannelData (unsigned longchannel
); void copyFromChannel (Float32Arraydestination
, unsigned longchannelNumber
, optional unsigned longstartInChannel
= 0); void copyToChannel (Float32Arraysource
, unsigned longchannelNumber
, optional unsigned longstartInChannel
= 0); };
1.4.1. Constructors
AudioBuffer(options)
-
Let b be a new
AudioBuffer
object. Respectively assign the values of the attributesnumberOfChannels
,length
,sampleRate
of theAudioBufferOptions
passed in the constructor to the internal slots[[number of channels]]
,[[length]]
,[[sample rate]]
.Set the internal slot
[[internal data]]
of thisAudioBuffer
to the result of callingCreateByteDataBlock
(
.[[length]]
*[[number of channels]]
)Note: This initializes the underlying storage to zero.
Return b.
Arguments for the AudioBuffer.AudioBuffer() method. Parameter Type Nullable Optional Description options
AudioBufferOptions ✘ ✘
1.4.2. Attributes
duration
, of type double, readonly-
Duration of the PCM audio data in seconds.
This is computed from the
[[sample rate]]
and the[[length]]
of theAudioBuffer
by performing a division between the[[length]]
and the[[sample rate]]
. length
, of type unsigned long, readonly-
Length of the PCM audio data in sample-frames. This MUST return the value of
[[length]]
. numberOfChannels
, of type unsigned long, readonly-
The number of discrete audio channels. This MUST return the value of
[[number of channels]]
. sampleRate
, of type float, readonly-
The sample-rate for the PCM audio data in samples per second. This MUST return the value of
[[sample rate]]
.
1.4.3. Methods
copyFromChannel(destination, channelNumber, startInChannel)
-
The
copyFromChannel()
method copies the samples from the specified channel of theAudioBuffer
to thedestination
array.Let
buffer
be theAudioBuffer
with \(N_b\) frames, let \(N_f\) be the number of elements in thedestination
array, and \(k\) be the value ofstartInChannel
. Then the number of frames copied frombuffer
todestination
is \(\min(N_b - k, N_f)\). If this is less than \(N_f\), then the remaining elements ofdestination
are not modified.Arguments for the AudioBuffer.copyFromChannel() method. Parameter Type Nullable Optional Description destination
Float32Array ✘ ✘ The array the channel data will be copied to. channelNumber
unsigned long ✘ ✘ The index of the channel to copy the data from. If channelNumber
is greater or equal than the number of channel of theAudioBuffer
, anIndexSizeError
MUST be thrown.startInChannel
unsigned long ✘ ✔ An optional offset to copy the data from. If startInChannel
is greater than thelength
of theAudioBuffer
, anIndexSizeError
MUST be thrown.Return type:void
copyToChannel(source, channelNumber, startInChannel)
-
The
copyToChannel()
method copies the samples to the specified channel of theAudioBuffer
from thesource
array.Let
buffer
be theAudioBuffer
with \(N_b\) frames, let \(N_f\) be the number of elements in thesource
array, and \(k\) be the value ofstartInChannel
. Then the number of frames copied fromsource
to thebuffer
is \(\min(N_b - k, N_f)\). If this is less than \(N_f\), then the remaining elements ofbuffer
are not modified.Arguments for the AudioBuffer.copyToChannel() method. Parameter Type Nullable Optional Description source
Float32Array ✘ ✘ The array the channel data will be copied from. channelNumber
unsigned long ✘ ✘ The index of the channel to copy the data to. If channelNumber
is greater or equal than the number of channel of theAudioBuffer
, anIndexSizeError
MUST be thrown.startInChannel
unsigned long ✘ ✔ An optional offset to copy the data to. If startInChannel
is greater than thelength
of theAudioBuffer
, anIndexSizeError
MUST be thrown.Return type:void
getChannelData(channel)
-
According to the rules described in acquire the content either get a reference to or get a copy of the bytes stored in
[[internal data]]
in a newFloat32Array
.Arguments for the AudioBuffer.getChannelData() method. Parameter Type Nullable Optional Description channel
unsigned long ✘ ✘ This parameter is an index representing the particular channel to get data for. An index value of 0 represents the first channel. This index value MUST be less than numberOfChannels
or anIndexSizeError
exception MUST be thrown.Return type:Float32Array
Note: The methods copyToChannel()
and copyFromChannel()
can be used to fill part of an array by
passing in a Float32Array
that’s a view onto the larger
array. When reading data from an AudioBuffer
's channels, and
the data can be processed in chunks, copyFromChannel()
should be preferred to calling getChannelData()
and
accessing the resulting array, because it may avoid unnecessary
memory allocation and copying.
An internal operation acquire the
contents of an AudioBuffer is invoked when the
contents of an AudioBuffer
are needed by some API
implementation. This operation returns immutable channel data to the
invoker.
AudioBuffer
, run the following steps:
-
If the operation
IsDetachedBuffer
on any of theAudioBuffer
'sArrayBuffer
s returntrue
, abort these steps, and return a zero-length channel data buffer to the invoker. -
Detach all
ArrayBuffer
s for arrays previously returned bygetChannelData()
on thisAudioBuffer
. -
Retain the underlying
[[internal data]]
from thoseArrayBuffer
s and return references to them to the invoker. -
Attach
ArrayBuffer
s containing copies of the data to theAudioBuffer
, to be returned by the next call togetChannelData()
.
The acquire the contents of an AudioBuffer operation is invoked in the following cases:
-
When
AudioBufferSourceNode.start
is called, it acquires the contents of the node’sbuffer
. If the operation fails, nothing is played. -
When the
buffer
of anAudioBufferSourceNode
is set andAudioBufferSourceNode.start
has been previously called, the setter acquires the content of theAudioBuffer
. If the operation fails, nothing is played. -
When a
ConvolverNode
'sbuffer
is set to anAudioBuffer
while the node is connected to an output node, or aConvolverNode
is connected to an output node while theConvolverNode
'sbuffer
is set to anAudioBuffer
, it acquires the content of theAudioBuffer
. -
When the dispatch of an
AudioProcessingEvent
completes, it acquires the contents of itsoutputBuffer
.
Note: This means that copyToChannel()
cannot be used to change
the content of an AudioBuffer
currently in use by an AudioNode
that has acquired the content of an AudioBuffer since the AudioNode
will continue to use the data previously
acquired.
1.4.4. AudioBufferOptions
This specifies the options to use in constructing an AudioBuffer
. The length
and sampleRate
members are
required. A NotFoundError
exception MUST be thrown if
any of the required members are not specified.
dictionary AudioBufferOptions
{
unsigned long numberOfChannels = 1;
required unsigned long length;
required float sampleRate;
};
1.4.4.1. Dictionary AudioBufferOptions
Members
The allowed values for the members of this dictionary are constrained. See createBuffer()
.
length
, of type unsigned long-
The length in sample frames of the buffer.
numberOfChannels
, of type unsigned long, defaulting to1
-
The number of channels for the buffer.
sampleRate
, of type float-
The sample rate in Hz for the buffer.
1.5. The AudioNode
Interface
AudioNode
s are the building blocks of an AudioContext
. This interface
represents audio sources, the audio destination, and intermediate
processing modules. These modules can be connected together to form processing graphs for rendering audio
to the audio hardware. Each node can have inputs and/or outputs. A source node has no inputs and a single
output. Most processing nodes such as filters will have one input and
one output. Each type of AudioNode
differs in the
details of how it processes or synthesizes audio. But, in general, an AudioNode
will process its inputs (if it has
any), and generate audio for its outputs (if it has any).
Each output has one or more channels. The exact number of channels
depends on the details of the specific AudioNode
.
An output may connect to one or more AudioNode
inputs, thus fan-out is supported. An input initially has no
connections, but may be connected from one or more AudioNode
outputs, thus fan-in is supported. When the connect()
method is called to connect an output of an AudioNode
to an input of an AudioNode
, we call that a connection to the input.
Each AudioNode
input has a specific number of
channels at any given time. This number can change depending on the connection(s) made to the input. If the input has no
connections then it has one channel which is silent.
For each input, an AudioNode
performs a
mixing (usually an up-mixing) of all connections to that input.
Please see §3 Mixer Gain Structure for more informative
details, and the §5 Channel Up-Mixing and Down-Mixing section for normative requirements.
The processing of inputs and the internal operations of an AudioNode
take place continuously with respect to AudioContext
time, regardless of whether the node has
connected outputs, and regardless of whether these outputs ultimately
reach an AudioContext
's AudioDestinationNode
.
For performance reasons, practical implementations will need to use
block processing, with each AudioNode
processing
a fixed number of sample-frames of size block-size. In order
to get uniform behavior across implementations, we will define this
value explicitly. block-size is defined to be 128
sample-frames which corresponds to roughly 3ms at a sample-rate of
44.1 kHz.
[Exposed=Window] interface AudioNode : EventTarget { AudioNode connect (AudioNode destinationNode, optional unsigned long output = 0, optional unsigned long input = 0); void connect (AudioParam destinationParam, optional unsigned long output = 0); void disconnect (); void disconnect (unsigned long output); void disconnect (AudioNode destinationNode); void disconnect (AudioNode destinationNode, unsigned long output); void disconnect (AudioNode destinationNode, unsigned long output, unsigned long input); void disconnect (AudioParam destinationParam); void disconnect (AudioParam destinationParam, unsigned long output); readonly attribute BaseAudioContext context; readonly attribute unsigned long numberOfInputs; readonly attribute unsigned long numberOfOutputs; attribute unsigned long channelCount; attribute ChannelCountMode channelCountMode; attribute ChannelInterpretation channelInterpretation; };
1.5.1. AudioNode Creation
AudioNode
s can be created in two ways: by using the
constructor for this particular interface, or by using the factory method on the BaseAudioContext
or AudioContext
.
The BaseAudioContext
passed as first argument of the
constructor of an AudioNode
s is called the associated BaseAudioContext
of the AudioNode
to be created. Similarly, when using the factory
method, the associated BaseAudioContext
of the AudioNode
is the BaseAudioContext
this factory method
is called on.
AudioNode
of a particular type n using its constructor, with a BaseAudioContext
c as first argument, and an associated option object option as second argument,
from the relevant global of c, execute these steps:
-
Let o be a new object of type n.
-
Initialize o, with c and option as arguments.
-
Return o
AudioNode
of a particular type n using its factory method, called on a BaseAudioContext
c, execute these steps:
-
Let o be a new object of type n.
-
Let option be a dictionary of the type associated to the interface associated to this factory method.
-
For each parameter passed to the factory method, set the dictionary member of the same name on option to the value of this parameter.
-
Initialize o with c and option as arguments.
-
Return o
AudioNode
means executing the following steps, given the
arguments context and dict passed to the
constructor of this interface.
-
Set o’s associated
BaseAudioContext
to context. -
Set its value for
numberOfInputs
,numberOfOutputs
,channelCount
,channelCountMode
,channelInterpretation
to the default value for this specific interface outlined in the section for eachAudioNode
. -
If the
AudioNode
being constructed is aConvolverNode
, set itsnormalize
attribute with the inverse of the value of thedisableNormalization
in dict, and then set itsbuffer
attribute to the value of thebuffer
in dict member, in this order, and jump to the last step of this algorithm.Note: This means that the buffer will be normalized according to the value of the
normalize
attribute. -
For each member of dict passed in, execute these steps, with k the key of the member, and v its value:
-
If k is
disableNormalization
orbuffer
and n isConvolverNode
, jump to the beginning of this loop. -
If k is the name of an
AudioParam
on this interface, set thevalue
attribute of thisAudioParam
to v. -
Else if k is the name of an attribute on this interface, set the object associated with this attribute to v.
-
The associated interface for a factory method is the interface of the objects that are returned from this method. The associated option object for an interface is the option object that can be passed to the constructor for this interface.
AudioNode
s are EventTarget
s, as described in [DOM].
This means that it is possible to dispatch events to AudioNode
s the same way that other EventTargets
accept events.
enum ChannelCountMode
{
"max",
"clamped-max",
"explicit"
};
The ChannelCountMode
, in conjuction with the node’s channelCount
and channelInterpretation
values, is used to determine
the computedNumberOfChannels that controls how inputs to a
node are to be mixed. The computedNumberOfChannels is
determined as shown below. See §5 Channel Up-Mixing and Down-Mixing for more information on how
mixing is to be done.
Enumeration description | |
---|---|
"max "
| computedNumberOfChannels is the maximum of the number of
channels of all connections to an input. In this mode channelCount is ignored.
|
"clamped-max "
| computedNumberOfChannels is determined as for "max "
and then clamped to a maximum value of the given channelCount .
|
"explicit "
| computedNumberOfChannels is the exact value as specified
by the channelCount .
|
enum ChannelInterpretation
{
"speakers",
"discrete"
};
Enumeration description | |
---|---|
"speakers "
| use up-mix equations or down-mix equations. In cases where the number of
channels do not match any of these basic speaker layouts, revert
to "discrete ".
|
"discrete "
| Up-mix by filling channels until they run out then zero out remaining channels. Down-mix by filling as many channels as possible, then dropping remaining channels. |
1.5.2. Attributes
channelCount
, of type unsigned long-
channelCount
is the number of channels used when up-mixing and down-mixing connections to any inputs to the node. The default value is 2 except for specific nodes where its value is specially determined. This attribute has no effect for nodes with no inputs. If this value is set to zero or to a value greater than the implementation’s maximum number of channels the implementation MUST throw aNotSupportedError
exception.In addition, some nodes have additional channelCount constraints on the possible values for the channel count:
AudioDestinationNode
-
The behavior depends on whether the destination node is the destination of an
AudioContext
orOfflineAudioContext
:AudioContext
-
The channel count MUST be between 1 and
maxChannelCount
. AnIndexSizeError
exception MUST be thrown for any attempt to set the count outside this range. OfflineAudioContext
-
The channel count cannot be changed. An
InvalidStateError
exception MUST be thrown for any attempt to change the value.
ChannelMergerNode
-
The channel count cannot be changed, and an
InvalidStateError
exception MUST be thrown for any attempt to change the value. ChannelSplitterNode
-
The channel count cannot be changed, and an
InvalidStateError
exception MUST be thrown for any attempt to change the value. ConvolverNode
-
The channel count cannot changed from two, and a
NotSupportedError
exception MUST be thrown for any attempt to change the value. DynamicsCompressorNode
-
The channel count cannot be greater than two, and a
NotSupportedError
exception MUST be thrown for any attempt to change the to a value greater than two. PannerNode
-
The channel count cannot be greater than two, and a
NotSupportedError
exception MUST be thrown for any attempt to change the to a value greater than two. ScriptProcessorNode
-
The channel count cannot be changed, and an
InvalidStateError
exception MUST be thrown for any attempt to change the value. StereoPannerNode
-
The channel count cannot be greater than two, and a
NotSupportedError
exception MUST be thrown for any attempt to change the to a value greater than two.
See §5 Channel Up-Mixing and Down-Mixing for more information on this attribute.
channelCountMode
, of type ChannelCountMode-
channelCountMode
determines how channels will be counted when up-mixing and down-mixing connections to any inputs to the node. The default value is "max
". This attribute has no effect for nodes with no inputs.In addition, some nodes have additional channelCountMode constraints on the possible values for the channel count mode:
AudioDestinationNode
-
If the
AudioDestinationNode
is thedestination
node of anOfflineAudioContext
, then the channel count mode cannot be changed. AnInvalidStateError
exception MUST be thrown for any attempt to change the value. ChannelMergerNode
-
The channel count mode cannot be changed from "
explicit
" and anInvalidStateError
exception MUST be thrown for any attempt to change the value. ChannelSplitterNode
-
The channel count mode cannot be changed from "
explicit
" and anInvalidStateError
exception MUST be thrown for any attempt to change the value. ConvolverNode
-
The channel count mode cannot be changed from "
clamped-max
", and aNotSupportedError
exception MUST be thrown for any attempt to change the value. DynamicsCompressorNode
-
The channel count mode cannot be set to "
max
", and aNotSupportedError
exception MUST be thrown for any attempt to set it to "max
". PannerNode
-
The channel count mode cannot be set to "
max
", and aNotSupportedError
exception MUST be thrown for any attempt to set it to "max
". ScriptProcessorNode
-
The channel count mode cannot be changed from "
explicit
" and anInvalidStateError
exception MUST be thrown for any attempt to change the value. StereoPannerNode
-
The channel count mode cannot be set to "
max
", and aNotSupportedError
exception MUST be thrown for any attempt to set it to "max
".
See the §5 Channel Up-Mixing and Down-Mixing section for more information on this attribute.
channelInterpretation
, of type ChannelInterpretation-
channelInterpretation
determines how individual channels will be treated when up-mixing and down-mixing connections to any inputs to the node. The default value is "speakers
". This attribute has no effect for nodes with no inputs.In addition, some nodes have additional channelInterpretation constraints on the possible values for the channel interpretation:
ChannelSplitterNode
-
The channel intepretation can not be changed from "
discrete
" and aInvalidStateError
exception MUST be thrown for any attempt to change the value.
See §5 Channel Up-Mixing and Down-Mixing for more information on this attribute.
context
, of type BaseAudioContext, readonly-
The
BaseAudioContext
which owns thisAudioNode
. numberOfInputs
, of type unsigned long, readonly-
The number of inputs feeding into the
AudioNode
. For source nodes, this will be 0. This attribute is predetermined for manyAudioNode
types, but someAudioNode
s, like theChannelMergerNode
and theAudioWorkletNode
, have variable number of inputs. numberOfOutputs
, of type unsigned long, readonly-
The number of outputs coming out of the
AudioNode
. This attribute is predetermined for someAudioNode
types, but can be variable, like for theChannelSplitterNode
and theAudioWorkletNode
.
1.5.3. Methods
connect(destinationNode, output, input)
-
There can only be one connection between a given output of one specific node and a given input of another specific node. Multiple connections with the same termini are ignored.
For example:nodeA.connect(nodeB); nodeA.connect(nodeB);
will have the same effect as
nodeA.connect(nodeB);
This method returns
destination
AudioNode
object.Arguments for the AudioNode.connect(destinationNode, output, input) method. Parameter Type Nullable Optional Description destinationNode
The destination
parameter is theAudioNode
to connect to. If thedestination
parameter is anAudioNode
that has been created using anotherAudioContext
, anInvalidAccessError
MUST be thrown. That is,AudioNode
s cannot be shared betweenAudioContext
s.output
unsigned long ✘ ✔ The output
parameter is an index describing which output of theAudioNode
from which to connect. If this parameter is out-of-bound, anIndexSizeError
exception MUST be thrown. It is possible to connect anAudioNode
output to more than one input with multiple calls to connect(). Thus, "fan-out" is supported.input
The input
parameter is an index describing which input of the destinationAudioNode
to connect to. If this parameter is out-of-bounds, anIndexSizeError
exception MUST be thrown. It is possible to connect anAudioNode
to anotherAudioNode
which creates a cycle: anAudioNode
may connect to anotherAudioNode
, which in turn connects back to the input orAudioParam
of the firstAudioNode
. This is allowed only if there is at least oneDelayNode
in the cycle or aNotSupportedError
exception MUST be thrown.Return type:AudioNode
connect(destinationParam, output)
-
Connects the
AudioNode
to anAudioParam
, controlling the parameter value with an audio-rate signal.It is possible to connect an
AudioNode
output to more than oneAudioParam
with multiple calls to connect(). Thus, "fan-out" is supported.It is possible to connect more than one
AudioNode
output to a singleAudioParam
with multiple calls to connect(). Thus, "fan-in" is supported.An
AudioParam
will take the rendered audio data from anyAudioNode
output connected to it and convert it to mono by down-mixing if it is not already mono, then mix it together with other such outputs and finally will mix with the intrinsic parameter value (thevalue
theAudioParam
would normally have without any audio connections), including any timeline changes scheduled for the parameter.The down-mixing to mono is equivalent to the down-mixing for an
AudioNode
withchannelCount
= 1,channelCountMode
= "explicit
", andchannelInterpretation
= "speakers
".There can only be one connection between a given output of one specific node and a specific
AudioParam
. Multiple connections with the same termini are ignored.For example:nodeA.connect(param); nodeA.connect(param);
will have the same effect as
nodeA.connect(param);
Arguments for the AudioNode.connect(destinationParam, output) method. Parameter Type Nullable Optional Description destinationParam
AudioParam ✘ ✘ The destination
parameter is theAudioParam
to connect to. This method does not returndestination
AudioParam
object. IfdestinationParam
belongs to anAudioNode
that belongs to aBaseAudioContext
that is different from theBaseAudioContext
that has created theAudioNode
on which this method was called, anInvalidAccessError
MUST be thrown.output
unsigned long ✘ ✔ The output
parameter is an index describing which output of theAudioNode
from which to connect. If theparameter
is out-of-bound, anIndexSizeError
exception MUST be thrown.Return type:void
disconnect()
-
Disconnects all outgoing connections from the
AudioNode
.No parameters.Return type:void
disconnect(output)
-
Disconnects a single output of the
AudioNode
from any otherAudioNode
orAudioParam
objects to which it is connected.Arguments for the AudioNode.disconnect(output) method. Parameter Type Nullable Optional Description output
unsigned long ✘ ✘ This parameter is an index describing which output of the AudioNode
to disconnect. It disconnects all outgoing connections from the given output. If this parameter is out-of-bounds, anIndexSizeError
exception MUST be thrown.Return type:void
disconnect(destinationNode)
-
Disconnects all outputs of the
AudioNode
that go to a specific destinationAudioNode
.Arguments for the AudioNode.disconnect(destinationNode) method. Parameter Type Nullable Optional Description destinationNode
The destinationNode
parameter is theAudioNode
to disconnect. It disconnects all outgoing connections to the givendestinationNode
. If there is no connection to thedestinationNode
, anInvalidAccessError
exception MUST be thrown. disconnect(destinationNode, output)
-
Disconnects a specific output of the
AudioNode
from a specific input of some destinationAudioNode
.Arguments for the AudioNode.disconnect(destinationNode, output) method. Parameter Type Nullable Optional Description destinationNode
The destinationNode
parameter is theAudioNode
to disconnect. If there is no connection to thedestinationNode
from the given output, anInvalidAccessError
exception MUST be thrown.output
unsigned long ✘ ✘ The output
parameter is an index describing which output of theAudioNode
from which to disconnect. If this parameter is out-of-bound, anIndexSizeError
exception MUST be thrown.Return type:void
disconnect(destinationNode, output, input)
-
Disconnects a specific output of the
AudioNode
from a specific input of some destinationAudioNode
.Arguments for the AudioNode.disconnect(destinationNode, output, input) method. Parameter Type Nullable Optional Description destinationNode
The destinationNode
parameter is theAudioNode
to disconnect. If there is no connection to thedestinationNode
from the given output, anInvalidAccessError
exception MUST be thrown.output
unsigned long ✘ ✘ The output
parameter is an index describing which output of theAudioNode
from which to disconnect. If this parameter is out-of-bound, anIndexSizeError
exception MUST be thrown.input
The input
parameter is an index describing which input of the destinationAudioNode
to disconnect. If this parameter is out-of-bounds, anIndexSizeError
exception MUST be thrown.Return type:void
disconnect(destinationParam)
-
Disconnects all outputs of the
AudioNode
that go to a specific destinationAudioParam
. The contribution of thisAudioNode
to the computed parameter value goes to 0 when this operation takes effect. The intrinsic parameter value is not affected by this operation.Arguments for the AudioNode.disconnect(destinationParam) method. Parameter Type Nullable Optional Description destinationParam
AudioParam ✘ ✘ The destinationParam
parameter is theAudioParam
to disconnect. If there is no connection to thedestinationParam
, anInvalidAccessError
exception MUST be thrown. disconnect(destinationParam, output)
-
Disconnects a specific output of the
AudioNode
from a specific destinationAudioParam
. The contribution of thisAudioNode
to the computed parameter value goes to 0 when this operation takes effect. The intrinsic parameter value is not affected by this operation.Arguments for the AudioNode.disconnect(destinationParam, output) method. Parameter Type Nullable Optional Description destinationParam
AudioParam ✘ ✘ The destinationParam
parameter is theAudioParam
to disconnect. If there is no connection to thedestinationParam
, anInvalidAccessError
exception MUST be thrown.output
unsigned long ✘ ✘ The output
parameter is an index describing which output of theAudioNode
from which to disconnect. If theparameter
is out-of-bound, anIndexSizeError
exception MUST be thrown.
1.5.4. AudioNodeOptions
This specifies the options that can be used in constructing all AudioNode
s. All members are optional. However, the specific
values used for each node depends on the actual node.
dictionary AudioNodeOptions { unsigned long channelCount; ChannelCountMode channelCountMode; ChannelInterpretation channelInterpretation; };
1.5.4.1. Dictionary AudioNodeOptions
Members
channelCount
, of type unsigned long-
Desired number of channels for the
channelCount
attribute. channelCountMode
, of type ChannelCountMode-
Desired mode for the
channelCountMode
attribute. channelInterpretation
, of type ChannelInterpretation-
Desired mode for the
channelInterpretation
attribute.
1.5.5. Lifetime
The following behaviors provide a normative description of the
conditions under which an AudioNode
is alive, meaning that
it MUST be retained in the graph by an implementation. Where these
conditions do not apply, AudioNode
s MAY be released by an
implementation.
There are several types of references:
-
A normal reference obeying normal garbage collection rules.
-
A playing reference for
AudioBufferSourceNode
s,MediaElementAudioSourceNode
s,MediaStreamAudioSourceNode
s andOscillatorNode
s. These nodes maintain a playing reference to themselves while they are currently playing. -
A connection reference which occurs if another
AudioNode
is connected to one or more of its inputs. Connections to a node’sAudioParam
s do not imply a connection reference. -
A tail-time reference which an
AudioNode
maintains on itself as long as it has any internal processing state which has not yet been emitted. For example, aConvolverNode
has a tail which continues to play even after receiving silent input (think about clapping your hands in a large concert hall and continuing to hear the sound reverberate throughout the hall). SomeAudioNode
s have this property. Please see details for specific nodes. -
MediaStreams keep a
MediaStreamAudioSourceNode
alive as long as the underlying MediaStreamTrack that is playing through theMediaStreamAudioSourceNode
has not ended (as per [mediacapture-streams]). -
HTMLMediaElement
s keep their associatedMediaElementAudioSourceNode
alive as long as theHTMLMediaElement
is in a state where audio could ever be played in the future.Note: An
HTMLMediaElement
that has itssrc
attribute set to""
, and all its references dropped allows theMediaElementAudioSourceNode
to be released as well (granted nothing keeps theMediaElementAudioSourceNode
alive).
Any AudioNode
s which are connected in a cycle and are directly or indirectly connected to a AudioDestinationNode
or MediaStreamAudioDestinationNode
within the AudioContext
will stay alive as long as the AudioContext
is alive.
Note: The uninterrupted operation of AudioNode
s implies that as
long as live references exist to a node, the node will continue
processing its inputs and evolving its internal state even if it is
disconnected from the audio graph. Since this processing will
consume CPU and power, developers should carefully consider the
resource usage of disconnected nodes. In particular, it is a good
idea to minimize resource consumption by explicitly putting
disconnected nodes into a stopped state when possible.
When an AudioNode
has no references it will be
deleted. Before it is deleted, it will disconnect itself from any
other AudioNode
s which it is connected to. In
this way it releases all connection references (3) it has to other
nodes.
Regardless of any of the above references, it can be assumed that
the AudioNode
will be deleted when its AudioContext
is deleted.
1.6. The AudioParam
Interface
AudioParam
controls an individual aspect of an AudioNode
's functioning, such as volume. The
parameter can be set immediately to a particular value using the value
attribute. Or, value changes can be scheduled to
happen at very precise times (in the coordinate system of AudioContext
's currentTime
attribute), for envelopes, volume
fades, LFOs, filter sweeps, grain windows, etc. In this way,
arbitrary timeline-based automation curves can be set on any AudioParam
. Additionally, audio signals from the
outputs of AudioNode
s can be connected to an AudioParam
, summing with the intrinsic parameter value.
Some synthesis and processing AudioNode
s have AudioParam
s as attributes whose values MUST be taken
into account on a per-audio-sample basis. For other AudioParam
s, sample-accuracy is not important and the
value changes can be sampled more coarsely. Each individual AudioParam
will specify that it is either an a-rate parameter which means that its values MUST be taken
into account on a per-audio-sample basis, or it is a k-rate parameter.
Implementations MUST use block processing, with each AudioNode
processing one render quantum.
For each render quantum,
the value of a k-rate parameter MUST be sampled at the time of the
very first sample-frame, and that value MUST be used for the entire
block. a-rate parameters MUST be sampled for
each sample-frame of the block.
Depending on the AudioParam
, its rate can be controlled by setting
the automationRate
attribute to either
"a-rate
" or "k-rate
". See the
description of the individual AudioParam
s for further details.
Each AudioParam
includes minValue
and maxValue
attributes that together form
the simple nominal range for the parameter. In effect,
value of the parameter is clamped to the range \([\mathrm{minValue},
\mathrm{maxValue}]\). See §1.6.3 Computation of Value for full details.
For many AudioParam
s the minValue
and maxValue
is intended to be set to the maximum
possible range. In this case, maxValue
should be set to the most-positive-single-float value, which is 3.4028235e38.
(However, in JavaScript which only supports IEEE-754 double precision
float values, this must be written as 3.4028234663852886e38.)
Similarly, minValue
should be set
to the most-negative-single-float value, which is the
negative of the most-positive-single-float: -3.4028235e38.
(Similarly, this must be written in JavaScript as
-3.4028234663852886e38.)
An AudioParam
maintains a list of zero or more automation events. Each automation event
specifies changes to the parameter’s value over a specific time
range, in relation to its automation event time in the
time coordinate system of the AudioContext
's currentTime
attribute. The
list of automation events is maintained in ascending order of
automation event time.
The behavior of a given automation event is a function of the AudioContext
's current time, as well as the automation event
times of this event and of adjacent events in the list. The following automation methods change the
event list by adding a new event to the event list, of a type
specific to the method:
-
setValueAtTime()
-SetValue
-
linearRampToValueAtTime()
-LinearRampToValue
-
exponentialRampToValueAtTime()
-ExponentialRampToValue
-
setTargetAtTime()
-SetTarget
-
setValueCurveAtTime()
-SetValueCurve
The following rules will apply when calling these methods:
-
Automation event times are not quantized with respect to the prevailing sample rate. Formulas for determining curves and ramps are applied to the exact numerical times given when scheduling events.
-
If one of these events is added at a time where there is already one or more events, then it will be placed in the list after them, but before events whose times are after the event.
-
If setValueCurveAtTime() is called for time \(T\) and duration \(D\) and there are any events having a time greater than \(T\), but less than \(T + D\), then a
NotSupportedError
exception MUST be thrown. In other words, it’s not ok to schedule a value curve during a time period containing other events. -
Similarly a
NotSupportedError
exception MUST be thrown if any automation method is called at a time which is inside of the time interval of aSetValueCurve
event at time \(T\) and duration \(D\).
Note: AudioParam
attributes are read only, with the exception
of the value
attribute.
The automation rate of an AudioParam
can be selected setting the automationRate
attribute with one of the following
values. However, some AudioParam
s have constraints on whether the
automation rate can be changed.
enum AutomationRate
{
"a-rate",
"k-rate"
};
Enumeration description | |
---|---|
"a-rate "
| This AudioParam is set for a-rate processing.
|
"k-rate "
| This AudioParam is set for k-rate processing.
|
Each AudioParam
has an internal slot [[current value]]
,
initially set to the AudioParam
's defaultValue
.
[Exposed=Window] interface AudioParam { attribute float value; attribute AutomationRate automationRate; readonly attribute float defaultValue; readonly attribute float minValue; readonly attribute float maxValue; AudioParam setValueAtTime (floatvalue
, doublestartTime
); AudioParam linearRampToValueAtTime (floatvalue
, doubleendTime
); AudioParam exponentialRampToValueAtTime (floatvalue
, doubleendTime
); AudioParam setTargetAtTime (floattarget
, doublestartTime
, floattimeConstant
); AudioParam setValueCurveAtTime (sequence<float>values
, doublestartTime
, doubleduration
); AudioParam cancelScheduledValues (doublecancelTime
); AudioParam cancelAndHoldAtTime (doublecancelTime
); };
1.6.1. Attributes
automationRate
, of type AutomationRate-
The automation rate for the
AudioParam
. The default value depends on the actualAudioParam
; see the description of theAudioParam
for the default value.Some nodes have additional automation rate constraints as follows:
AudioBufferSourceNode
-
The
AudioParam
splaybackRate
anddetune
MUST be "k-rate
". AnInvalidStateError
must be thrown if the rate is changed to "a-rate
". DynamicsCompressorNode
-
The
AudioParam
sthreshold
knee
,ratio
,attack
, andrelease
MUST be "k-rate
". AnInvalidStateError
must be thrown if the rate is changed to "a-rate
". PannerNode
-
If the
panningModel
is "HRTF
", the setting of theautomationRate
for anyAudioParam
of thePannerNode
is ignored. Likewise, the setting of theautomationRate
for anyAudioParam
of theAudioListener
is ignored. In this case, theAudioParam
behaves as if theautomationRate
were set to "k-rate
".
defaultValue
, of type float, readonly-
Initial value for the
value
attribute. maxValue
, of type float, readonly-
The nominal maximum value that the parameter can take. Together with
minValue
, this forms the nominal range for this parameter. minValue
, of type float, readonly-
The nominal minimum value that the parameter can take. Together with
maxValue
, this forms the nominal range for this parameter. value
, of type float-
The parameter’s floating-point value. This attribute is initialized to the
defaultValue
.Getting this attribute returns the contents of the
[[current value]]
slot, which maintains the value of this parameter at the conclusion of the most recent render quantum on the audio rendering thread, or the most recently assigned value if no rendering has taken place.Setting this attribute has the effect of assigning the requested value to the
[[current value]]
slot, and calling the setValueAtTime() method with the currentAudioContext
'scurrentTime
and[[current value]]
. Any exceptions that would be thrown bysetValueAtTime()
will also be thrown by setting this attribute.
1.6.2. Methods
cancelAndHoldAtTime(cancelTime)
-
This is similar to
cancelScheduledValues()
in that it cancels all scheduled parameter changes with times greater than or equal tocancelTime
. However, in addition, the automation value that would have happened atcancelTime
is then proprogated for all future time until other automation events are introduced.The behavior of the timeline in the face of
cancelAndHoldAtTime()
when automations are running and can be introduced at any time after callingcancelAndHoldAtTime()
and beforecancelTime
is reached is quite complicated. The behavior ofcancelAndHoldAtTime()
is therefore specified in the following algorithm.Let \(t_c\) be the value ofcancelTime
. Then-
Let \(E_1\) be the event (if any) at time \(t_1\) where \(t_1\) is the largest number satisfying \(t_1 \le t_c\).
-
Let \(E_2\) be the event (if any) at time \(t_2\) where \(t_2\) is the smallest number satisfying \(t_c \lt t_2\).
-
If \(E_2\) exists:
-
If \(E_2\) is a linear or exponential ramp,
-
Effectively rewrite \(E_2\) to be the same kind of ramp ending at time \(t_c\) with an end value that would be the value of the original ramp at time \(t_c\).
-
Go to step 5.
-
-
Otherwise, go to step 4.
-
-
If \(E_1\) exists:
-
If \(E_1\) is a
setTarget
event,-
Implicitly insert a
setValueAtTime
event at time \(t_c\) with the value that thesetTarget
would have at time \(t_c\). -
Go to step 5.
-
-
If \(E_1\) is a
setValueCurve
with a start time of \(t_3\) and a duration of \(d\)-
If \(t_c \gt t_3 + d\), go to step 5.
-
Otherwise,
-
Effectively replace this event with a
setValueCurve
event with a start time of \(t_3\) and a new duration of \(t_c-t_3\). However, this is not a true replacement; this automation MUST take care to produce the same output as the original, and not one computed using a different duration. (That would cause sampling of the value curve in a slightly different way, producing different results.) -
Go to step 5.
-
-
-
-
Remove all events with time greater than \(t_c\).
If no events are added, then the automation value after
cancelAndHoldAtTime()
is the constant value that the original timeline would have had at time \(t_c\).Arguments for the AudioParam.cancelAndHoldAtTime() method. Parameter Type Nullable Optional Description cancelTime
double ✘ ✘ The time after which any previously scheduled parameter changes will be cancelled. It is a time in the same time coordinate system as the AudioContext
'scurrentTime
attribute. ARangeError
exception MUST be thrown ifcancelTime
is negative or is not a finite number. IfcancelTime
is less thancurrentTime
, it is clamped tocurrentTime
.Return type:AudioParam
-
cancelScheduledValues(cancelTime)
-
Cancels all scheduled parameter changes with times greater than or equal to
cancelTime
. Cancelling a scheduled parameter change means removing the scheduled event from the event list. Any active automations whose automation event time is less thancancelTime
are also cancelled, and such cancellations may cause discontinuities because the original value (from before such automation) is restored immediately. Any hold values scheduled bycancelAndHoldAtTime()
are also removed if the hold time occurs aftercancelTime
.Arguments for the AudioParam.cancelScheduledValues() method. Parameter Type Nullable Optional Description cancelTime
double ✘ ✘ The time after which any previously scheduled parameter changes will be cancelled. It is a time in the same time coordinate system as the AudioContext
'scurrentTime
attribute. ARangeError
exception MUST be thrown ifcancelTime
is negative or is not a finite number. IfcancelTime
is less thancurrentTime
, it is clamped tocurrentTime
.Return type:AudioParam
exponentialRampToValueAtTime(value, endTime)
-
Schedules an exponential continuous change in parameter value from the previous scheduled parameter value to the given value. Parameters representing filter frequencies and playback rate are best changed exponentially because of the way humans perceive sound.
The value during the time interval \(T_0 \leq t < T_1\) (where \(T_0\) is the time of the previous event and \(T_1\) is the
endTime
parameter passed into this method) will be calculated as:$$ v(t) = V_0 \left(\frac{V_1}{V_0}\right)^\frac{t - T_0}{T_1 - T_0} $$
where \(V_0\) is the value at the time \(T_0\) and \(V_1\) is the
value
parameter passed into this method. If \(V_0\) and \(V_1\) have opposite signs or if \(V_0\) is zero, then \(v(t) = V_0\) for \(T_0 \le t \lt T_1\).This also implies an exponential ramp to 0 is not possible. A good approximation can be achieved using
setTargetAtTime()
with an appropriately chosen time constant.If there are no more events after this ExponentialRampToValue event then for \(t \geq T_1\), \(v(t) = V_1\).
If there is no event preceding this event, the exponential ramp behaves as if
setValueAtTime(value, currentTime)
were called wherevalue
is the current value of the attribute andcurrentTime
is the contextcurrentTime
at the timeexponentialRampToValueAtTime
is called.If the preceding event is a
SetTarget
event, \(T_0\) and \(V_0\) are chosen from the current time and value ofSetTarget
automation. That is, if theSetTarget
event has not started, \(T_0\) is the start time of the event, and \(V_0\) is the value just before theSetTarget
event starts. In this case, theExponentialRampToValue
event effectively replaces theSetTarget
event. If theSetTarget
event has already started, \(T_0\) is the current context time, and \(V_0\) is the currentSetTarget
automation value at time \(T_0\). In both cases, the automation curve is continuous.Arguments for the AudioParam.exponentialRampToValueAtTime() method. Parameter Type Nullable Optional Description value
float ✘ ✘ The value the parameter will exponentially ramp to at the given time. A RangeError
exception MUST be thrown if this value is equal to 0.endTime
double ✘ ✘ The time in the same time coordinate system as the AudioContext
'scurrentTime
attribute where the exponential ramp ends. ARangeError
exception MUST be thrown ifendTime
is negative or is not a finite number. If endTime is less thancurrentTime
, it is clamped tocurrentTime
.Return type:AudioParam
linearRampToValueAtTime(value, endTime)
-
Schedules a linear continuous change in parameter value from the previous scheduled parameter value to the given value.
The value during the time interval \(T_0 \leq t < T_1\) (where \(T_0\) is the time of the previous event and \(T_1\) is the
endTime
parameter passed into this method) will be calculated as:$$ v(t) = V_0 + (V_1 - V_0) \frac{t - T_0}{T_1 - T_0} $$
Where \(V_0\) is the value at the time \(T_0\) and \(V_1\) is the
value
parameter passed into this method.If there are no more events after this LinearRampToValue event then for \(t \geq T_1\), \(v(t) = V_1\).
If there is no event preceding this event, the linear ramp behaves as if
setValueAtTime(value, currentTime)
were called wherevalue
is the current value of the attribute andcurrentTime
is the contextcurrentTime
at the timelinearRampToValueAtTime
is called.If the preceding event is a
SetTarget
event, \(T_0\) and \(V_0\) are chosen from the current time and value ofSetTarget
automation. That is, if theSetTarget
event has not started, \(T_0\) is the start time of the event, and \(V_0\) is the value just before theSetTarget
event starts. In this case, theLinearRampToValue
event effectively replaces theSetTarget
event. If theSetTarget
event has already started, \(T_0\) is the current context time, and \(V_0\) is the currentSetTarget
automation value at time \(T_0\). In both cases, the automation curve is continuous.Arguments for the AudioParam.linearRampToValueAtTime() method. Parameter Type Nullable Optional Description value
float ✘ ✘ The value the parameter will linearly ramp to at the given time. endTime
double ✘ ✘ The time in the same time coordinate system as the AudioContext
'scurrentTime
attribute at which the automation ends. ARangeError
exception MUST be thrown ifendTime
is negative or is not a finite number. If endTime is less thancurrentTime
, it is clamped tocurrentTime
.Return type:AudioParam
setTargetAtTime(target, startTime, timeConstant)
-
Start exponentially approaching the target value at the given time with a rate having the given time constant. Among other uses, this is useful for implementing the "decay" and "release" portions of an ADSR envelope. Please note that the parameter value does not immediately change to the target value at the given time, but instead gradually changes to the target value.
During the time interval: \(T_0 \leq t\), where \(T_0\) is the
startTime
parameter:$$ v(t) = V_1 + (V_0 - V_1)\, e^{-\left(\frac{t - T_0}{\tau}\right)} $$
where \(V_0\) is the initial value (the
.value
attribute) at \(T_0\) (thestartTime
parameter), \(V_1\) is equal to thetarget
parameter, and \(\tau\) is thetimeConstant
parameter.If a
LinearRampToValue
orExponentialRampToValue
event follows this event, the behavior is described inlinearRampToValueAtTime()
orexponentialRampToValueAtTime()
, respectively. For all other events, theSetTarget
event ends at the time of the next event.Arguments for the AudioParam.setTargetAtTime() method. Parameter Type Nullable Optional Description target
float ✘ ✘ The value the parameter will start changing to at the given time. startTime
double ✘ ✘ The time at which the exponential approach will begin, in the same time coordinate system as the AudioContext
'scurrentTime
attribute. ARangeError
exception MUST be thrown ifstart
is negative or is not a finite number. If startTime is less thancurrentTime
, it is clamped tocurrentTime
.timeConstant
float ✘ ✘ The time-constant value of first-order filter (exponential) approach to the target value. The larger this value is, the slower the transition will be. The value MUST be non-negative or a RangeError
exception MUST be thrown. IftimeConstant
is zero, the output value jumps immediately to the final value. More precisely, timeConstant is the time it takes a first-order linear continuous time-invariant system to reach the value \(1 - 1/e\) (around 63.2%) given a step input response (transition from 0 to 1 value).Return type:AudioParam
setValueAtTime(value, startTime)
-
Schedules a parameter value change at the given time.
If there are no more events after this
SetValue
event, then for \(t \geq T_0\), \(v(t) = V\), where \(T_0\) is thestartTime
parameter and \(V\) is thevalue
parameter. In other words, the value will remain constant.If the next event (having time \(T_1\)) after this
SetValue
event is not of typeLinearRampToValue
orExponentialRampToValue
, then, for \(T_0 \leq t < T_1\):$$ v(t) = V $$
In other words, the value will remain constant during this time interval, allowing the creation of "step" functions.
If the next event after this
SetValue
event is of typeLinearRampToValue
orExponentialRampToValue
then please seelinearRampToValueAtTime()
orexponentialRampToValueAtTime()
, respectively.Arguments for the AudioParam.setValueAtTime() method. Parameter Type Nullable Optional Description value
float ✘ ✘ The value the parameter will change to at the given time. startTime
double ✘ ✘ The time in the same time coordinate system as the BaseAudioContext
'scurrentTime
attribute at which the parameter changes to the given value. ARangeError
exception MUST be thrown ifstartTime
is negative or is not a finite number. If startTime is less thancurrentTime
, it is clamped tocurrentTime
.Return type:AudioParam
setValueCurveAtTime(values, startTime, duration)
-
Sets an array of arbitrary parameter values starting at the given time for the given duration. The number of values will be scaled to fit into the desired duration.
Let \(T_0\) be
startTime
, \(T_D\) beduration
, \(V\) be thevalues
array, and \(N\) be the length of thevalues
array. Then, during the time interval: \(T_0 \le t < T_0 + T_D\), let$$ \begin{align*} k &= \left\lfloor \frac{N - 1}{T_D}(t-T_0) \right\rfloor \\ \end{align*} $$
Then \(v(t)\) is computed by linearly interpolating between \(V[k]\) and \(V[k+1]\),
After the end of the curve time interval (\(t \ge T_0 + T_D\)), the value will remain constant at the final curve value, until there is another automation event (if any).
An implicit call to
setValueAtTime()
is made at time \(T_0 + T_D\) with value \(V[N-1]\) so that following automations will start from the end of thesetValueCurveAtTime()
event.Arguments for the AudioParam.setValueCurveAtTime() method. Parameter Type Nullable Optional Description values
sequence<float> ✘ ✘ A sequence of float values representing a parameter value curve. These values will apply starting at the given time and lasting for the given duration. When this method is called, an internal copy of the curve is created for automation purposes. Subsequent modifications of the contents of the passed-in array therefore have no effect on the AudioParam
. AnInvalidStateError
MUST be thrown if this attribute is asequence<float>
object that has a length less than 2.startTime
double ✘ ✘ The start time in the same time coordinate system as the AudioContext
'scurrentTime
attribute at which the value curve will be applied. ARangeError
exception MUST be thrown ifstartTime
is negative or is not a finite number. If startTime is less thancurrentTime
, it is clamped tocurrentTime
.duration
double ✘ ✘ The amount of time in seconds (after the startTime
parameter) where values will be calculated according to thevalues
parameter. ARangeError
exception MUST be thrown ifduration
is not strictly positive or is not a finite number.Return type:AudioParam
1.6.3. Computation of Value
There are two different kind of AudioParam
s, simple
parameters and compound parameters. Simple parameters (the default) are used
on their own to compute the final audio output of an AudioNode
. Compound
parameters are AudioParam
s that are used with other AudioParam
s to compute a value that is then used as an input
to compute the output of an AudioNode
.
The computedValue is the final value controlling the audio DSP and is computed by the audio rendering thread during each rendering time quantum. It MUST be internally computed as follows:
-
An intrinsic parameter value will be calculated at each time, which is either the value set directly to the
value
attribute, or, if there are any automation events with times before or at this time, the value as calculated from these events. When read, thevalue
attribute always returns the intrinsic value for the current time. If automation events are removed from a given time range, then the intrinsic value will remain unchanged and stay at its previous value until either thevalue
attribute is directly set, or automation events are added for the time range. -
The computedValue is the sum of the intrinsic value and the value of the input AudioParam buffer. When read, the
value
attribute always returns the computedValue for the current time. -
If this
AudioParam
is a compound parameter, compute its final value with otherAudioParam
s.
The nominal range for a computedValue are the
lower and higher values this parameter can effectively have. For simple parameters, the computedValue is clamped to
the simple nominal range for this parameter. Compound
parameters have their final value clamped to their nominal
range after having been computed from the different AudioParam
values they are composed of.
When automation methods are used, clamping is still applied. However, the automation is run as if there were no clamping at all. Only when the automation values are to be applied to the output is the clamping done as specified above.
N.p.setValueAtTime(0, 0); N.p.linearRampToValueAtTime(4, 1); N.p.linearRampToValueAtTime(0, 2);
The initial slope of the curve is 4, until it reaches the maximum value of 1, at which time, the output is held constant. Finally, near time 2, the slope of the curve is -4. This is illustrated in the graph below where the dashed line indicates what would have happened without clipping, and the solid line indicates the actual expected behavior of the audioparam due to clipping to the nominal range.
1.6.4. AudioParam
Automation Example
var curveLength = 44100;var curve = new Float32Array(curveLength);for (var i = 0; i < curveLength; ++i) curve[i] = Math.sin(Math.PI * i / curveLength);var t0 = 0;var t1 = 0.1;var t2 = 0.2;var t3 = 0.3;var t4 = 0.325;var t5 = 0.5;var t6 = 0.6;var t7 = 0.7;var t8 = 1.0;var timeConstant = 0.1;param.setValueAtTime(0.2, t0);param.setValueAtTime(0.3, t1);param.setValueAtTime(0.4, t2);param.linearRampToValueAtTime(1, t3);param.linearRampToValueAtTime(0.8, t4);param.setTargetAtTime(.5, t4, timeConstant);// Compute where the setTargetAtTime will be at time t5 so we can make// the following exponential start at the right point so there’s no// jump discontinuity. From the spec, we have// v(t) = 0.5 + (0.8 - 0.5)*exp(-(t-t4)/timeConstant)// Thus v(t5) = 0.5 + (0.8 - 0.5)*exp(-(t5-t4)/timeConstant)param.setValueAtTime(0.5 + (0.8 - 0.5)*Math.exp(-(t5 - t4)/timeConstant), t5);param.exponentialRampToValueAtTime(0.75, t6);param.exponentialRampToValueAtTime(0.05, t7);param.setValueCurveAtTime(curve, t7, t8 - t7);
1.7. The AudioScheduledSourceNode
Interface
The interface represents the common features of the source nodes such
as AudioBufferSourceNode
, ConstantSourceNode
, and OscillatorNode
.
Before a source is started (by calling start()
, the source node
MUST output silence (0). After a source has been stopped (by calling stop()
),
the source MUST then output silence (0).
AudioScheduledSourceNode
cannot be instantiated directly, but
is instead extended by the concrete interfaces for the source nodes.
[Exposed=Window] interface AudioScheduledSourceNode : AudioNode { attribute EventHandler onended; void start(optional double when = 0); void stop(optional double when = 0); };
1.7.1. Attributes
onended
, of type EventHandler-
A property used to set the
EventHandler
(described in HTML[HTML]) for the ended event that is dispatched toAudioScheduledSourceNode
node types. When the source node has stopped playing (as determined by the concrete node), an event of typeEvent
(described in HTML [HTML]) will be dispatched to the event handler.For all
AudioScheduledSourceNode
s, theonended
event is dispatched when the stop time determined bystop()
is reached. For anAudioBufferSourceNode
, the event is also dispatched because theduration
has been reached or if the entirebuffer
has been played.
1.7.2. Methods
start(when)
-
Schedules a sound to playback at an exact time.
When this method is called, execute these steps:-
If
stop()
has been called on this node, or if an earlier call tostart()
has already occurred, anInvalidStateError
exception MUST be thrown. -
Check for any errors that must be thrown due to parameter constraints described below.
-
Queue a control message to start the
AudioScheduledSourceNode
, including the parameter values in the messsage.
Arguments for the AudioScheduledSourceNode.start(when) method. Parameter Type Nullable Optional Description when
double ✘ ✔ The when
parameter describes at what time (in seconds) the sound should start playing. It is in the same time coordinate system as theAudioContext
'scurrentTime
attribute. When the signal emitted by theAudioScheduledSourceNode
depends on the sound’s start time, the exact value ofwhen
is always used without rounding to the nearest sample frame. If 0 is passed in for this value or if the value is less than currentTime, then the sound will start playing immediately. ARangeError
exception MUST be thrown ifwhen
is negative.Return type:void
-
stop(when)
-
Schedules a sound to stop playback at an exact time. If
stop
is called again after already having been called, the last invocation will be the only one applied; stop times set by previous calls will not be applied, unless the buffer has already stopped prior to any subsequent calls. If the buffer has already stopped, further calls tostop
will have no effect. If a stop time is reached prior to the scheduled start time, the sound will not play.When this method is called, execute these steps:-
If an earlier call to
start
has not already occurred, anInvalidStateError
exception MUST be thrown. -
Check for any errors that must be thrown due to parameter constraints described below.
-
Queue a control message to stop the
AudioScheduledSourceNode
, including the parameter values in the messsage.
If the node is anAudioBufferSourceNode
, running a control message to stop theAudioBufferSourceNode
means invoking thehandleStop()
function in the playback algorithm.Arguments for the AudioScheduledSourceNode.stop(when) method. Parameter Type Nullable Optional Description when
double ✘ ✔ The when
parameter describes at what time (in seconds) the source should stop playing. It is in the same time coordinate system as theAudioContext
'scurrentTime
attribute. If 0 is passed in for this value or if the value is less thancurrentTime
, then the sound will stop playing immediately. ARangeError
exception MUST be thrown ifwhen
is negative.Return type:void
-
1.8. The AnalyserNode
Interface
This interface represents a node which is able to provide real-time frequency and time-domain analysis information. The audio stream will be passed un-processed from input to output.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | This output may be left unconnected. |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional AnalyserOptionsoptions
)] interface AnalyserNode : AudioNode { void getFloatFrequencyData (Float32Arrayarray
); void getByteFrequencyData (Uint8Arrayarray
); void getFloatTimeDomainData (Float32Arrayarray
); void getByteTimeDomainData (Uint8Arrayarray
); attribute unsigned long fftSize; readonly attribute unsigned long frequencyBinCount; attribute double minDecibels; attribute double maxDecibels; attribute double smoothingTimeConstant; };
1.8.1. Constructors
AnalyserNode(context, options)
-
Arguments for the AnalyserNode.AnalyserNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newAnalyserNode
will be associated with.options
AnalyserOptions ✘ ✔ Optional initial parameter value for this AnalyserNode
.
1.8.2. Attributes
fftSize
, of type unsigned long-
The size of the FFT used for frequency-domain analysis. This MUST be a power of two in the range 32 to 32768, otherwise an
IndexSizeError
exception MUST be thrown. The default value is 2048. Note that large FFT sizes can be costly to compute.If the
fftSize
is changed to a different value, then all state associated with smoothing of the frequency data (forgetByteFrequencyData()
andgetFloatFrequencyData()
) is reset. That is the previous block, \(\hat{X}_{-1}[k]\), used for smoothing over time is set to 0 for all \(k\). frequencyBinCount
, of type unsigned long, readonly-
Half the FFT size.
maxDecibels
, of type double-
maxDecibels
is the maximum power value in the scaling range for the FFT analysis data for conversion to unsigned byte values. The default value is -30. If the value of this attribute is set to a value less than or equal tominDecibels
, anIndexSizeError
exception MUST be thrown. minDecibels
, of type double-
minDecibels
is the minimum power value in the scaling range for the FFT analysis data for conversion to unsigned byte values. The default value is -100. If the value of this attribute is set to a value more than or equal tomaxDecibels
, anIndexSizeError
exception MUST be thrown. smoothingTimeConstant
, of type double-
A value from 0 -> 1 where 0 represents no time averaging with the last analysis frame. The default value is 0.8. If the value of this attribute is set to a value less than 0 or more than 1, an
IndexSizeError
exception MUST be thrown.
1.8.3. Methods
getByteFrequencyData(array)
-
Copies the current frequency data into the passed unsigned byte array. If the array has fewer elements than the
frequencyBinCount
, the excess elements will be dropped. If the array has more elements than thefrequencyBinCount
, the excess elements will be ignored. The most recentfftSize
frames are used in computing the frequency data.If another call to
getByteFrequencyData()
orgetFloatFrequencyData()
occurs within the same render quantum as a previous call, the current frequency data is not updated with the same data. Instead, the previously computed data is returned.The values stored in the unsigned byte array are computed in the following way. Let \(Y[k]\) be the current frequency data as described in FFT windowing and smoothing. Then the byte value, \(b[k]\), is
$$ b[k] = \left\lfloor \frac{255}{\mbox{dB}_{max} - \mbox{dB}_{min}} \left(Y[k] - \mbox{dB}_{min}\right) \right\rfloor $$
where \(\mbox{dB}_{min}\) is
minDecibels
and \(\mbox{dB}_{max}\) is
. If \(b[k]\) lies outside the range of 0 to 255, \(b[k]\) is clipped to lie in that range.maxDecibels
Arguments for the AnalyserNode.getByteFrequencyData() method. Parameter Type Nullable Optional Description array
Uint8Array ✘ ✘ This parameter is where the frequency-domain analysis data will be copied. Return type:void
getByteTimeDomainData(array)
-
Copies the current time-domain data (waveform data) into the passed unsigned byte array. If the array has fewer elements than the value of
fftSize
, the excess elements will be dropped. If the array has more elements thanfftSize
, the excess elements will be ignored. The most recentfftSize
frames are used in computing the byte data.The values stored in the unsigned byte array are computed in the following way. Let \(x[k]\) be the time-domain data. Then the byte value, \(b[k]\), is
$$ b[k] = \left\lfloor 128(1 + x[k]) \right\rfloor. $$
If \(b[k]\) lies outside the range 0 to 255, \(b[k]\) is clipped to lie in that range.
Arguments for the AnalyserNode.getByteTimeDomainData() method. Parameter Type Nullable Optional Description array
Uint8Array ✘ ✘ This parameter is where the time-domain sample data will be copied. Return type:void
getFloatFrequencyData(array)
-
Copies the current frequency data into the passed floating-point array. If the array has fewer elements than the
frequencyBinCount
, the excess elements will be dropped. If the array has more elements than thefrequencyBinCount
, the excess elements will be ignored. The most recentfftSize
frames are used in computing the frequency data.If another call to
getFloatFrequencyData()
orgetByteFrequencyData()
occurs within the same render quantum as a previous call, the current frequency data is not updated with the same data. Instead, the previously computed data is returned.The frequency data are in dB units.
Arguments for the AnalyserNode.getFloatFrequencyData() method. Parameter Type Nullable Optional Description array
Float32Array ✘ ✘ This parameter is where the frequency-domain analysis data will be copied. Return type:void
getFloatTimeDomainData(array)
-
Copies the current time-domain data (waveform data) into the passed floating-point array. If the array has fewer elements than the value of
fftSize
, the excess elements will be dropped. If the array has more elements thanfftSize
, the excess elements will be ignored. The most recentfftSize
frames are returned (after downmixing).Arguments for the AnalyserNode.getFloatTimeDomainData() method. Parameter Type Nullable Optional Description array
Float32Array ✘ ✘ This parameter is where the time-domain sample data will be copied. Return type:void
1.8.4. AnalyserOptions
This specifies the options to be used when constructing an AnalyserNode
. All members are optional; if not
specified, the normal default values are used to construct the
node.
dictionary AnalyserOptions : AudioNodeOptions { unsigned long fftSize = 2048; double maxDecibels = -30; double minDecibels = -100; double smoothingTimeConstant = 0.8; };
1.8.4.1. Dictionary AnalyserOptions
Members
fftSize
, of type unsigned long, defaulting to2048
-
The desired initial size of the FFT for frequency-domain analysis.
maxDecibels
, of type double, defaulting to-30
-
The desired initial maximum power in dB for FFT analysis.
minDecibels
, of type double, defaulting to-100
-
The desired initial minimum power in dB for FFT analysis.
smoothingTimeConstant
, of type double, defaulting to0.8
-
The desired initial smoothing constant for the FFT analysis.
1.8.5. Time-Domain Down-Mixing
When the current time-domain data are computed, the
input signal must be down-mixed to mono as if channelCount
is 1, channelCountMode
is
"max
" and channelInterpretation
is "speakers
". This is independent of the
settings for the AnalyserNode
itself. The most recent fftSize
frames are used for the
down-mixing operation.
1.8.6. FFT Windowing and Smoothing over Time
When the current frequency data are computed, the following operations are to be performed:
-
Compute the current time-domain data.
-
Apply a Blackman window to the time domain input data.
-
Apply a Fourier transform to the windowed time domain input data to get imaginary and real frequency data.
-
Smooth over time the frequency domain data.
In the following, let \(N\) be the value of the fftSize
attribute of this AnalyserNode
.
$$ \begin{align*} \alpha &= \mbox{0.16} \\ a_0 &= \frac{1-\alpha}{2} \\ a_1 &= \frac{1}{2} \\ a_2 &= \frac{\alpha}{2} \\ w[n] &= a_0 - a_1 \cos\frac{2\pi n}{N} + a_2 \cos\frac{4\pi n}{N}, \mbox{ for } n = 0, \ldots, N - 1 \end{align*} $$
The windowed signal \(\hat{x}[n]\) is
$$ \hat{x}[n] = x[n] w[n], \mbox{ for } n = 0, \ldots, N - 1 $$
$$ X[k] = \frac{1}{N} \sum_{n = 0}^{N - 1} \hat{x}[n]\, e^{\frac{-2\pi i k n}{N}} $$
for \(k = 0, \dots, N/2-1\).
-
Let \(\hat{X}_{-1}[k]\) be the result of this operation on the previous block. The previous block is defined as being the buffer computed by the previous smoothing over time operation, or an array of \(N\) zeros if this is the first time we are smoothing over time.
-
Let \(\tau\) be the value of the
smoothingTimeConstant
attribute for thisAnalyserNode
. -
Let \(X[k]\) be the result of applying a Fourier transform of the current block.
Then the smoothed value, \(\hat{X}[k]\), is computed by
$$ \hat{X}[k] = \tau\, \hat{X}_{-1}[k] + (1 - \tau)\, |X[k]| $$
for \(k = 0, \ldots, N - 1\).
$$ Y[k] = 20\log_{10}\hat{X}[k] $$
for \(k = 0, \ldots, N-1\).
This array, \(Y[k]\), is copied to the output array for getFloatFrequencyData()
. For getByteFrequencyData()
, the \(Y[k]\) is clipped to lie
between minDecibels
and
and then scaled to fit in an
unsigned byte such that maxDecibels
minDecibels
is
represented by the value 0 and
is
represented by the value 255.maxDecibels
1.9. The AudioBufferSourceNode
Interface
This interface represents an audio source from an in-memory audio
asset in an AudioBuffer
. It is useful for playing audio
assets which require a high degree of scheduling flexibility and
accuracy. If sample-accurate playback of network- or disk-backed
assets is required, an implementer should use AudioWorkletNode
to implement playback.
The start()
method is used to
schedule when sound playback will happen. The start()
method may not be
issued multiple times. The playback will stop automatically when the
buffer’s audio data has been completely played (if the loop
attribute is false
), or when the stop()
method has been
called and the specified time has been reached. Please see more
details in the start()
and stop()
description.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 0 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
The number of channels of the output always equals the number of
channels of the AudioBuffer assigned to the buffer
attribute, or is one
channel of silence if buffer
is null
.
A playhead position for an AudioBufferSourceNode
is
defined as any quantity representing a time offset in seconds,
relative to the time coordinate of the first sample frame in the
buffer. Such values are to be considered independently from the
node’s playbackRate
and detune
parameters.
In general, playhead positions may be subsample-accurate and need not
refer to exact sample frame positions. They may assume valid values
between 0 and the duration of the buffer.
The playbackRate
and detune
attributes form a compound parameter. They are used together to determine a computedPlaybackRate value:
computedPlaybackRate(t) = playbackRate(t) * pow(2, detune(t) / 1200)
The nominal range for this compound parameter is \((-\infty, \infty)\).
AudioBufferSourceNode
s are created with an internal boolean
slot [[buffer set]]
, initially set to false.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional AudioBufferSourceOptionsoptions
)] interface AudioBufferSourceNode : AudioScheduledSourceNode { attribute AudioBuffer? buffer; readonly attribute AudioParam playbackRate; readonly attribute AudioParam detune; attribute boolean loop; attribute double loopStart; attribute double loopEnd; void start (optional double when = 0, optional double offset, optional double duration); };
1.9.1. Constructors
AudioBufferSourceNode(context, options)
-
Let node be a new
AudioBufferSourceNode
object. Initialize node, and return node.Arguments for the AudioBufferSourceNode.AudioBufferSourceNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newAudioBufferSourceNode
will be associated with.options
AudioBufferSourceOptions ✘ ✔ Optional initial parameter value for this AudioBufferSourceNode
.
1.9.2. Attributes
buffer
, of type AudioBuffer, nullable-
Represents the audio asset to be played.
To set thebuffer
attribute, execute these steps:-
Let new buffer be the
AudioBuffer
ornull
value to be assigned tobuffer
. -
If new buffer is not
null
and[[buffer set]]
is true, throw anInvalidStateError
and abort these steps. -
If new buffer is not
null
, set[[buffer set]]
to true. -
Assign new buffer to the
buffer
attribute. -
If
start()
has previously been called on this node, perform the operation acquire the content onbuffer
.
-
detune
, of type AudioParam, readonly-
An additional parameter, in cents, to modulate the speed at which is rendered the audio stream. This parameter is a compound parameter with
playbackRate
to form a computedPlaybackRate.Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" k-rate
"Has automation rate constraints loop
, of type boolean-
Indicates if the region of audio data designated by
loopStart
andloopEnd
should be played continuously in a loop. The default value isfalse
. loopEnd
, of type double-
An optional playhead position where looping should end if the
loop
attribute is true. Its value is exclusive of the content of the loop. Its defaultvalue
is 0, and it may usefully be set to any value between 0 and the duration of the buffer. IfloopEnd
is less than or equal to 0, or ifloopEnd
is greater than the duration of the buffer, looping will end at the end of the buffer. loopStart
, of type double-
An optional playhead position where looping should begin if the
loop
attribute is true. Its defaultvalue
is 0, and it may usefully be set to any value between 0 and the duration of the buffer. IfloopStart
is less than 0, looping will begin at 0. IfloopStart
is greater than the duration of the buffer, looping will begin at the end of the buffer. playbackRate
, of type AudioParam, readonly-
The speed at which to render the audio stream. This is a compound parameter with
detune
to form a computedPlaybackRate.Parameter Value Notes defaultValue
1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" k-rate
"Has automation rate constraints
1.9.3. Methods
start(when, offset, duration)
-
Schedules a sound to playback at an exact time.
When this method is called, execute these steps:-
If
stop
has been called on this node, or if an earlier call tostart
has already occurred, anInvalidStateError
exception MUST be thrown. -
Check for any errors that must be thrown due to parameter constraints described below.
-
Queue a control message to start the
AudioBufferSourceNode
, including the parameter values in the messsage.
Running a control message to start theAudioBufferSourceNode
means invoking thehandleStart()
function in the playback algorithm which follows.Arguments for the AudioBufferSourceNode.start(when, offset, duration) method. Parameter Type Nullable Optional Description when
double ✘ ✔ The when
parameter describes at what time (in seconds) the sound should start playing. It is in the same time coordinate system as theAudioContext
'scurrentTime
attribute. If 0 is passed in for this value or if the value is less than currentTime, then the sound will start playing immediately. ARangeError
exception MUST be thrown ifwhen
is negative.offset
double ✘ ✔ The offset
parameter supplies a playhead position where playback will begin. If 0 is passed in for this value, then playback will start from the beginning of the buffer. ARangeError
exception MUST be thrown ifoffset
is negative. Ifoffset
is greater thanloopEnd
, playback will begin atloopEnd
(and immediately loop toloopStart
).offset
is silently clamped to [0,duration
], whenstartTime
is reached, whereduration
is the value of theduration
attribute of theAudioBuffer
set to thebuffer
attribute of thisAudioBufferSourceNode
.duration
double ✘ ✔ The duration
parameter describes the duration of the sound (in seconds) to be played. If this parameter is passed, this method has exactly the same effect as the invocation ofstart(when, offset)
followed bystop(when + duration)
. ARangeError
exception MUST be thrown ifduration
is negative.Return type:void
-
1.9.4. AudioBufferSourceOptions
This specifies options for constructing a AudioBufferSourceNode
. All members are
optional; if not specified, the normal default is used in
constructing the node.
dictionary AudioBufferSourceOptions { AudioBuffer? buffer; float detune = 0; boolean loop = false; double loopEnd = 0; double loopStart = 0; float playbackRate = 1; };
1.9.4.1. Dictionary AudioBufferSourceOptions
Members
buffer
, of type AudioBuffer, nullable-
The audio asset to be played. This is equivalent to assigning
buffer
to thebuffer
attribute of theAudioBufferSourceNode
. detune
, of type float, defaulting to0
-
The initial value for the
detune
AudioParam. loop
, of type boolean, defaulting tofalse
-
The initial value for the
loop
attribute. loopEnd
, of type double, defaulting to0
-
The initial value for the
loopEnd
attribute. loopStart
, of type double, defaulting to0
-
The initial value for the
loopStart
attribute. playbackRate
, of type float, defaulting to1
-
The initial value for the
playbackRate
AudioParam.
1.9.5. Looping
This section is non-normative. Please see the playback algorithm for normative requirements.
Setting the loop
attribute to true causes playback of the region of the buffer
defined by the endpoints loopStart
and loopEnd
to continue indefinitely, once
any part of the looped region has been played. While loop
remains true,
looped playback will continue until one of the following occurs:
-
stop()
is called, -
the scheduled stop time has been reached,
-
the
duration
has been exceeded, ifstart()
was called with aduration
value.
The body of the loop is considered to occupy a region from loopStart
up to, but
not including, loopEnd
. The direction of playback of
the looped region respects the sign of the node’s playback rate.
For positive playback rates, looping occurs from loopStart
to loopEnd
; for negative rates, looping
occurs from loopEnd
to loopStart
.
Looping does not affect the interpretation of the offset
argument of start()
. Playback always
starts at the requested offset, and looping only begins once the
body of the loop is encountered during playback.
The effective loop start and end points are required to lie within
the range of zero and the buffer duration, as specified in the
algorithm below. loopEnd
is further constrained to be at
or after loopStart
. If
any of these constraints are violated, the loop is considered to
include the entire buffer contents.
Loop endpoints have subsample accuracy. When endpoints do not fall on exact sample frame offsets, or when the playback rate is not equal to 1, playback of the loop is interpolated to splice the beginning and end of the loop together just as if the looped audio occurred in sequential, non-looped regions of the buffer.
Loop-related properties may be varied during playback of the buffer, and in general take effect on the next rendering quantum. The exact results are defined by the normative playback algorithm which follows.
The default values of the loopStart
and loopEnd
attributes are both 0. Since a loopEnd
value of zero
is equivalent to the length of the buffer, the default endpoints
cause the entire buffer to be included in the loop.
Note that the values of the loop endpoints are expressed as time
offsets in terms of the sample rate of the buffer, meaning that
these values are independent of the node’s playbackRate
parameter which can vary
dynamically during the course of playback.
1.9.6. Playback of AudioBuffer Contents
This normative section specifies the playback of the contents of the buffer, accounting for the fact that playback is influenced by the following factors working in combination, which can vary dynamically during playback:
-
A starting offset, which can expressed with sub-sample precision.
-
Loop points, which can expressed with sub-sample precision.
-
Playback rate and detuning parameters, which combine to yield a single computed playback rate that can assume non-infinite values which may be positive or negative.
The algorithm to be followed internally to generate output from an AudioBufferSourceNode
conforms to the following principles:
-
Resampling of the buffer may be performed arbitrarily by the UA at any desired point to increase the efficiency or quality of the output.
-
Sub-sample start offsets or loop points may require additional interpolation between sample frames.
-
The playback of a looped buffer should behave identically to an unlooped buffer containing consecutive occurrences of the looped audio content, excluding any effects from interpolation.
The description of the algorithm is as follows:
let buffer; // AudioBuffer employed by this nodelet context; // AudioContext employed by this node// The following variables capture attribute and AudioParam values for the node.// They are updated on a k-rate basis, prior to each invocation of process().let loop;let detune;let loopStart;let loopEnd;let playbackRate;// Variables for the node’s playback parameterslet start = 0, offset = 0; // Set by start()let stop = Infinity; // Set by stop(), or by start() with a supplied duration// Variables for tracking node’s playback statelet bufferTime = 0, started = false, enteredLoop = false;let dt = 1 / context.sampleRate;// Handle invocation of start method callfunction handleStart(when, pos, duration) { if (arguments.length >= 1) { start = when; } offset = pos; if (arguments.length >= 3) { stop = when + duration; }}// Handle invocation of stop method callfunction handleStop(when) { if (arguments.length >= 1) { stop = when; } else { stop = context.currentTime; }}// Interpolate a multi-channel signal value for some sample frame.// Returns an array of signal values.function playbackSignal(position) { /* This function provides the playback signal function for buffer, which is a function that maps from a playhead position to a set of output signal values, one for each output channel. If |position| corresponds to the location of an exact sample frame in the buffer, this function returns that frame. Otherwise, its return value is determined by a UA-supplied algorithm that interpolates between sample frames in the neighborhood of position. If position is greater than or equal to loopEnd and there is no subsequent sample frame in buffer, then interpolation should be based on the sequence of subsequent frames beginning at loopStart. */ ...}// Generate a single render quantum of audio to be placed// in the channel arrays defined by output. Returns an array// of |numberOfFrames| sample frames to be output.function process(numberOfFrames) { let currentTime = context.currentTime; // context time of next rendered frame let output = []; // accumulates rendered sample frames // Combine the two k-rate parameters affecting playback rate let computedPlaybackRate = playbackRate * Math.pow(2, detune / 1200); // Determine loop endpoints as applicable let actualLoopStart, actualLoopEnd; if (loop && buffer != null) { if (loopStart >= 0 && loopEnd > 0 && loopStart < loopEnd) { actualLoopStart = loopStart; actualLoopEnd = Math.min(loopEnd, buffer.duration); } else { actualLoopStart = 0; actualLoopEnd = buffer.duration; } } else { // If the loop flag is false, remove any record of the loop having been entered enteredLoop = false; } // Handle null buffer case if (buffer == null) { stop = currentTime; // force zero output for all time } // Render each sample frame in the quantum for (let index = 0; index < numberOfFrames; index++) { // Check that currentTime is within allowable range for playback if (currentTime < start || currentTime >= stop) { output.push(0); // this sample frame is silent currentTime += dt; continue; } if (!started) { // Take note that buffer has started playing and get initial playhead position. bufferTime = offset + ((currentTime - start) * computedPlaybackRate); started = true; } // Handle loop-related calculations if (loop) { // Determine if looped portion has been entered for the first time if (!enteredLoop) { if (offset < actualLoopEnd && bufferTime >= actualLoopStart) { // playback began before or within loop, and playhead is now past loop start enteredLoop = true; } if (offset >= actualLoopEnd && bufferTime < actualLoopEnd) { // playback began after loop, and playhead is now prior to the loop end enteredLoop = true; } } // Wrap loop iterations as needed. Note that enteredLoop // may become true inside the preceding conditional. if (enteredLoop) { while (bufferTime >= actualLoopEnd) { bufferTime -= actualLoopEnd - actualLoopStart; } while (bufferTime < actualLoopStart) { bufferTime += actualLoopEnd - actualLoopStart; } } } if (bufferTime >= 0 && bufferTime < buffer.duration) { output.push(playbackSignal(bufferTime)); } else { output.push(0); // past end of buffer, so output silent frame } bufferTime += dt * computedPlaybackRate; currentTime += dt; } // End of render quantum loop if (currentTime >= stop) { // end playback state of this node. // no further invocations of process() will occur. } return output;}
The following non-normative figures illustrate the behavior of the algorithm in assorted key scenarios. Dynamic resampling of the buffer is not considered, but as long as the times of loop positions are not changed this does not materially affect the resulting playback. In all figures, the following conventions apply:
-
context sample rate is 1000 Hz
-
AudioBuffer
content is shown with the first sample frame at the x origin. -
output signals are shown with the sample frame located at time
start
at the x origin. -
linear interpolation is depicted throughout, although a UA could employ other interpolation techniques.
This figure illustrates basic playback of a buffer, with a simple loop that ends after the last sample frame in the buffer:
This figure illustrates playbackRate
interpolation,
showing half-speed playback of buffer contents in which every other
output sample frame is interpolated. Of particular note is the last
sample frame in the looped output, which is interpolated using the
loop start point:
This figure illustrates sample rate interpolation, showing playback of a buffer whose sample rate is 50% of the context sample rate, resulting in a computed playback rate of 0.5 that corrects for the difference in sample rate between the buffer and the context. The resulting output is the same as the preceding example, but for different reasons.
This figure illustrates subsample offset playback, in which the offset within the buffer begins at exactly half a sample frame. Consequently, every output frame is interpolated:
This figure illustrates subsample loop playback, showing how fractional frame offsets in the loop endpoints map to interpolated data points in the buffer that respect these offsets as if they were references to exact sample frames:
1.10. The AudioDestinationNode
Interface
This is an AudioNode
representing the final audio
destination and is what the user will ultimately hear. It can often
be considered as an audio output device which is connected to
speakers. All rendered audio to be heard will be routed to this node,
a "terminal" node in the AudioContext
's routing
graph. There is only a single AudioDestinationNode per AudioContext
, provided through the destination
attribute of AudioContext
.
The output of a AudioDestinationNode
is produced
by summing its input, allowing to
capture the output of an AudioContext
into, for
example, a MediaStreamAudioDestinationNode
, or a MediaRecorder
(described in [mediastream-recording]).
The AudioDestinationNode
can be either the destination of an AudioContext
or OfflineAudioContext
, and the channel
properties depend on what the context is.
For an AudioContext
, the defaults are
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "explicit "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
The channelCount
can be set to any
value less than or equal to maxChannelCount
. An IndexSizeError
exception MUST be thrown
if this value is not within the valid range. Giving a concrete
example, if the audio hardware supports 8-channel output, then we may
set channelCount
to 8, and render 8
channels of output.
For an OfflineAudioContext
, the defaults are
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| numberOfChannels | |
channelCountMode
| "explicit "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
where numberOfChannels
is the number of channels
specified when constructing the OfflineAudioContext
. This
value may not be changed; a NotSupportedError
exception MUST be thrown if channelCount
is changed to a
different value.
[Exposed=Window] interface AudioDestinationNode : AudioNode { readonly attribute unsigned long maxChannelCount; };
1.10.1. Attributes
maxChannelCount
, of type unsigned long, readonly-
The maximum number of channels that the
channelCount
attribute can be set to. AnAudioDestinationNode
representing the audio hardware end-point (the normal case) can potentially output more than 2 channels of audio if the audio hardware is multi-channel.maxChannelCount
is the maximum number of channels that this hardware is capable of supporting.
1.11. The AudioListener
Interface
This interface represents the position and orientation of the person
listening to the audio scene. All PannerNode
objects spatialize in relation to the BaseAudioContext
's listener
. See §7 Spatialization/Panning for more details about spatialization.
The positionX, positionY, positionZ
parameters represent
the location of the listener in 3D Cartesian coordinate space. PannerNode
objects use this position relative to
individual audio sources for spatialization.
The forwardX, forwardY, forwardZ
parameters represent a
direction vector in 3D space. Both a forward
vector and
an up
vector are used to determine the orientation of
the listener. In simple human terms, the forward
vector
represents which direction the person’s nose is pointing. The up
vector represents the direction the top of a person’s
head is pointing. These two vectors are expected to be linearly
independent. For normative requirements of how these values are to be
interpreted, see the §7 Spatialization/Panning section.
[Exposed=Window] interface AudioListener { readonly attribute AudioParam positionX; readonly attribute AudioParam positionY; readonly attribute AudioParam positionZ; readonly attribute AudioParam forwardX; readonly attribute AudioParam forwardY; readonly attribute AudioParam forwardZ; readonly attribute AudioParam upX; readonly attribute AudioParam upY; readonly attribute AudioParam upZ; void setPosition (floatx
, floaty
, floatz
); void setOrientation (floatx
, floaty
, floatz
, floatxUp
, floatyUp
, floatzUp
); };
1.11.1. Attributes
forwardX
, of type AudioParam, readonly-
Sets the x coordinate component of the forward direction the listener is pointing in 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" forwardY
, of type AudioParam, readonly-
Sets the y coordinate component of the forward direction the listener is pointing in 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" forwardZ
, of type AudioParam, readonly-
Sets the z coordinate component of the forward direction the listener is pointing in 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
-1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" positionX
, of type AudioParam, readonly-
Sets the x coordinate position of the audio listener in a 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" positionY
, of type AudioParam, readonly-
Sets the y coordinate position of the audio listener in a 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" positionZ
, of type AudioParam, readonly-
Sets the z coordinate position of the audio listener in a 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" upX
, of type AudioParam, readonly-
Sets the x coordinate component of the up direction the listener is pointing in 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" upY
, of type AudioParam, readonly-
Sets the y coordinate component of the up direction the listener is pointing in 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" upZ
, of type AudioParam, readonly-
Sets the z coordinate component of the up direction the listener is pointing in 3D Cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"
1.11.2. Methods
setOrientation(x, y, z, xUp, yUp, zUp)
-
This method is DEPRECATED. It is equivalent to setting
forwardX
.value
,forwardY
.value
,forwardZ
.value
,upX
.value
,upY
.value
, andupZ
.value
directly with the givenx
,y
,z
,xUp
,yUp
, andzUp
values, respectively.Consequently, if any of the
forwardX
,forwardY
,forwardZ
,upX
,upY
andupZ
AudioParam
s have an automation curve set usingsetValueCurveAtTime()
at the time this method is called, aNotSupportedError
MUST be thrown.Describes which direction the listener is pointing in the 3D cartesian coordinate space. Both a front vector and an up vector are provided. In simple human terms, the front vector represents which direction the person’s nose is pointing. The up vector represents the direction the top of a person’s head is pointing. These two vectors are expected to be linearly independent. For normative requirements of how these values are to be interpreted, see the §7 Spatialization/Panning.
The
x, y, z
parameters represent a front direction vector in 3D space, with the default value being (0,0,-1).The
xUp, yUp, zUp
parameters represent an up direction vector in 3D space, with the default value being (0,1,0).Arguments for the AudioListener.setOrientation() method. Parameter Type Nullable Optional Description x
float ✘ ✘ y
float ✘ ✘ z
float ✘ ✘ xUp
float ✘ ✘ yUp
float ✘ ✘ zUp
float ✘ ✘ Return type:void
setPosition(x, y, z)
-
This method is DEPRECATED. It is equivalent to setting
positionX
.value
,positionY
.value
, andpositionZ
.value
directly with the givenx
,y
, andz
values, respectively.Consequently, any of the
positionX
,positionY
, andpositionZ
AudioParam
s for thisAudioListener
have an automation curve set usingsetValueCurveAtTime()
at the time this method is called, aNotSupportedError
MUST be thrown.Sets the position of the listener in a 3D cartesian coordinate space.
PannerNode
objects use this position relative to individual audio sources for spatialization.The
x, y, z
parameters represent the coordinates in 3D space.The default value is (0,0,0).
Arguments for the AudioListener.setPosition() method. Parameter Type Nullable Optional Description x
float ✘ ✘ y
float ✘ ✘ z
float ✘ ✘
1.12. The AudioProcessingEvent
Interface - DEPRECATED
This is an Event
object which is dispatched to ScriptProcessorNode
nodes. It will be removed
when the ScriptProcessorNode is removed, as the replacement AudioWorkletNode
uses a different approach.
The event handler processes audio from the input (if any) by
accessing the audio data from the inputBuffer
attribute.
The audio data which is the result of the processing (or the
synthesized data if there are no inputs) is then placed into the outputBuffer
.
[Exposed=Window,Constructor
(DOMStringtype
, AudioProcessingEventIniteventInitDict
)] interface AudioProcessingEvent : Event { readonly attribute double playbackTime; readonly attribute AudioBuffer inputBuffer; readonly attribute AudioBuffer outputBuffer; };
1.12.1. Attributes
inputBuffer
, of type AudioBuffer, readonly-
An AudioBuffer containing the input audio data. It will have a number of channels equal to the
numberOfInputChannels
parameter of the createScriptProcessor() method. This AudioBuffer is only valid while in the scope of theonaudioprocess
function. Its values will be meaningless outside of this scope. outputBuffer
, of type AudioBuffer, readonly-
An AudioBuffer where the output audio data MUST be written. It will have a number of channels equal to the
numberOfOutputChannels
parameter of the createScriptProcessor() method. Script code within the scope of theonaudioprocess
function is expected to modify theFloat32Array
arrays representing channel data in this AudioBuffer. Any script modifications to this AudioBuffer outside of this scope will not produce any audible effects. playbackTime
, of type double, readonly-
The time when the audio will be played in the same time coordinate system as the
AudioContext
'scurrentTime
.
1.12.2. AudioProcessingEventInit
dictionary AudioProcessingEventInit : EventInit { required double playbackTime; required AudioBuffer inputBuffer; required AudioBuffer outputBuffer; };
1.12.2.1. Dictionary AudioProcessingEventInit
Members
inputBuffer
, of type AudioBuffer-
Value to be assigned to the
inputBuffer
attribute of the event. outputBuffer
, of type AudioBuffer-
Value to be assigned to the
outputBuffer
attribute of the event. playbackTime
, of type double-
Value to be assigned to the
playbackTime
attribute of the event.
1.13. The BiquadFilterNode
Interface
BiquadFilterNode
is an AudioNode
processor implementing very common
low-order filters.
Low-order filters are the building blocks of basic tone controls
(bass, mid, treble), graphic equalizers, and more advanced filters.
Multiple BiquadFilterNode
filters can be combined
to form more complex filters. The filter parameters such as frequency
can be
changed over time for filter sweeps, etc. Each BiquadFilterNode
can be configured as one of a
number of common filter types as shown in the IDL below. The default
filter type is "lowpass"
.
Both frequency
and detune
form
a compound parameter and are both a-rate. They are used
together to determine a computedFrequency value:
computedFrequency(t) = frequency(t) * pow(2, detune(t) / 1200)
The nominal range for this compound parameter is [0, Nyquist frequency].
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | Yes | Continues to output non-silent audio with zero input. Since this is an IIR filter, the filter produces non-zero input forever, but in practice, this can be limited after some finite time where the output is sufficiently close to zero. The actual time depends on the filter coefficients. |
The number of channels of the output always equals the number of channels of the input.
enum BiquadFilterType
{
"lowpass",
"highpass",
"bandpass",
"lowshelf",
"highshelf",
"peaking",
"notch",
"allpass"
};
Enumeration description | |
---|---|
"lowpass "
|
A lowpass
filter allows frequencies below the cutoff frequency to
pass through and attenuates frequencies above the cutoff. It
implements a standard second-order resonant lowpass filter with
12dB/octave rolloff.
|
"highpass "
|
A highpass
filter is the opposite of a lowpass filter. Frequencies
above the cutoff frequency are passed through, but frequencies
below the cutoff are attenuated. It implements a standard
second-order resonant highpass filter with 12dB/octave rolloff.
|
"bandpass "
|
A bandpass
filter allows a range of frequencies to pass through and
attenuates the frequencies below and above this frequency
range. It implements a second-order bandpass filter.
|
"lowshelf "
|
The lowshelf filter allows all frequencies through, but adds a
boost (or attenuation) to the lower frequencies. It implements
a second-order lowshelf filter.
|
"highshelf "
|
The highshelf filter is the opposite of the lowshelf filter and
allows all frequencies through, but adds a boost to the higher
frequencies. It implements a second-order highshelf filter
|
"peaking "
|
The peaking filter allows all frequencies through, but adds a
boost (or attenuation) to a range of frequencies.
|
"notch "
|
The notch filter (also known as a band-stop or
band-rejection filter) is the opposite of a bandpass
filter. It allows all frequencies through, except for a set of
frequencies.
|
"allpass "
|
An allpass filter allows all frequencies through, but changes
the phase relationship between the various frequencies. It
implements a second-order allpass filter
|
All attributes of the BiquadFilterNode
are a-rate AudioParam
s.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional BiquadFilterOptionsoptions
)] interface BiquadFilterNode : AudioNode { attribute BiquadFilterType type; readonly attribute AudioParam frequency; readonly attribute AudioParam detune; readonly attribute AudioParam Q; readonly attribute AudioParam gain; void getFrequencyResponse (Float32ArrayfrequencyHz
, Float32ArraymagResponse
, Float32ArrayphaseResponse
); };
1.13.1. Constructors
BiquadFilterNode(context, options)
-
Let node be a new
BiquadFilterNode
object. Initialize node, and return node.Arguments for the BiquadFilterNode.BiquadFilterNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newBiquadFilterNode
will be associated with.options
BiquadFilterOptions ✘ ✔ Optional initial parameter value for this BiquadFilterNode
.
1.13.2. Attributes
Q
, of type AudioParam, readonly-
The Q factor of the filter. This is not used for
lowshelf
orhighshelf
filters.Parameter Value Notes defaultValue
1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" detune
, of type AudioParam, readonly-
A detune value, in cents, for the frequency. It forms a compound parameter with
frequency
.Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" frequency
, of type AudioParam, readonly-
The frequency at which the
BiquadFilterNode
will operate, in Hz. It forms a compound parameter withdetune
.Parameter Value Notes defaultValue
350 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" gain
, of type AudioParam, readonly-
The gain of the filter. Its value is in dB units. The gain is only used for
lowshelf
,highshelf
, andpeaking
filters.Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" type
, of type BiquadFilterType-
The type of this
BiquadFilterNode
. Its default value is "lowpass". The exact meaning of the other parameters depend on the value of thetype
attribute.
1.13.3. Methods
getFrequencyResponse(frequencyHz, magResponse, phaseResponse)
-
Given the current filter parameter settings, synchronously calculates the frequency response for the specified frequencies. The three parameters MUST be
Float32Array
s of the same length, or anInvalidAccessError
MUST be thrown.The frequency response returned MUST be computed with the
AudioParam
sampled for the current processing block.Arguments for the BiquadFilterNode.getFrequencyResponse() method. Parameter Type Nullable Optional Description frequencyHz
Float32Array ✘ ✘ This parameter specifies an array of frequencies at which the response values will be calculated. magResponse
Float32Array ✘ ✘ This parameter specifies an output array receiving the linear magnitude response values. If a value in the frequencyHz
parameter is not within [0; sampleRate/2], wheresampleRate
is the value of thesampleRate
property of theAudioContext
, the corresponding value at the same index of themagResponse
array MUST beNaN
.phaseResponse
Float32Array ✘ ✘ This parameter specifies an output array receiving the phase response values in radians. If a value in the frequencyHz
parameter is not within [0; sampleRate/2], wheresampleRate
is the value of thesampleRate
property of theAudioContext
, the corresponding value at the same index of thephaseResponse
array MUST beNaN
.Return type:void
1.13.4. BiquadFilterOptions
This specifies the options to be used when constructing a BiquadFilterNode
. All members are optional; if
not specified, the normal default values are used to construct the
node.
dictionary BiquadFilterOptions : AudioNodeOptions { BiquadFilterType type = "lowpass"; float Q = 1; float detune = 0; float frequency = 350; float gain = 0; };
1.13.4.1. Dictionary BiquadFilterOptions
Members
Q
, of type float, defaulting to1
-
The desired initial value for
Q
. detune
, of type float, defaulting to0
-
The desired initial value for
detune
. frequency
, of type float, defaulting to350
-
The desired initial value for
frequency
. gain
, of type float, defaulting to0
-
The desired initial value for
gain
. type
, of type BiquadFilterType, defaulting to"lowpass"
-
The desired initial type of the filter.
1.13.5. Filters Characteristics
There are multiple ways of implementing the type of filters
available through the BiquadFilterNode
each
having very different characteristics. The formulas in this section
describe the filters that a conforming implementation MUST
implement, as they determine the characteristics of the different
filter types. They are inspired by formulas found in the Audio EQ Cookbook.
The transfer function for the filters implemented by the BiquadFilterNode
is:
$$ H(z) = \frac{\frac{b_0}{a_0} + \frac{b_1}{a_0}z^{-1} + \frac{b_2}{a_0}z^{-2}} {1+\frac{a_1}{a_0}z^{-1}+\frac{a_2}{a_0}z^{-2}} $$
The initial filter state is 0.
The coefficients in the transfer function above are different for
each node type. The following intermediate variable are necessary for
their computation, based on the computedValue of the AudioParam
s of the BiquadFilterNode
.
-
Let \(F_s\) be the value of the
sampleRate
attribute for thisAudioContext
. -
Let \(f_0\) be the value of the computedFrequency.
-
Let \(G\) be the value of the
gain
AudioParam
. -
Let \(Q\) be the value of the
Q
AudioParam
. -
Finally let
$$ \begin{align*} A &= 10^{\frac{G}{40}} \\ \omega_0 &= 2\pi\frac{f_0}{F_s} \\ \alpha_Q &= \frac{\sin\omega_0}{2Q} \\ \alpha_{Q_{dB}} &= \frac{\sin\omega_0}{2 \cdot 10^{Q/20}} \\ S &= 1 \\ \alpha_S &= \frac{\sin\omega_0}{2}\sqrt{\left(A+\frac{1}{A}\right)\left(\frac{1}{S}-1\right)+2} \end{align*} $$
The six coefficients (\(b_0, b_1, b_2, a_0, a_1, a_2\)) for each filter type, are:
- "
lowpass
" -
$$ \begin{align*} b_0 &= \frac{1 - \cos\omega_0}{2} \\ b_1 &= 1 - \cos\omega_0 \\ b_2 &= \frac{1 - \cos\omega_0}{2} \\ a_0 &= 1 + \alpha_{Q_{dB}} \\ a_1 &= -2 \cos\omega_0 \\ a_2 &= 1 - \alpha_{Q_{dB}} \end{align*} $$
- "
highpass
" -
$$ \begin{align*} b_0 &= \frac{1 + \cos\omega_0}{2} \\ b_1 &= -(1 + \cos\omega_0) \\ b_2 &= \frac{1 + \cos\omega_0}{2} \\ a_0 &= 1 + \alpha_{Q_{dB}} \\ a_1 &= -2 \cos\omega_0 \\ a_2 &= 1 - \alpha_{Q_{dB}} \end{align*} $$
- "
bandpass
" -
$$ \begin{align*} b_0 &= \alpha_Q \\ b_1 &= 0 \\ b_2 &= -\alpha_Q \\ a_0 &= 1 + \alpha_Q \\ a_1 &= -2 \cos\omega_0 \\ a_2 &= 1 - \alpha_Q \end{align*} $$
- "
notch
" -
$$ \begin{align*} b_0 &= 1 \\ b_1 &= -2\cos\omega_0 \\ b_2 &= 1 \\ a_0 &= 1 + \alpha_Q \\ a_1 &= -2 \cos\omega_0 \\ a_2 &= 1 - \alpha_Q \end{align*} $$
- "
allpass
" -
$$ \begin{align*} b_0 &= 1 - \alpha_Q \\ b_1 &= -2\cos\omega_0 \\ b_2 &= 1 + \alpha_Q \\ a_0 &= 1 + \alpha_Q \\ a_1 &= -2 \cos\omega_0 \\ a_2 &= 1 - \alpha_Q \end{align*} $$
- "
peaking
" -
$$ \begin{align*} b_0 &= 1 + \alpha_Q\, A \\ b_1 &= -2\cos\omega_0 \\ b_2 &= 1 - \alpha_Q\,A \\ a_0 &= 1 + \frac{\alpha_Q}{A} \\ a_1 &= -2 \cos\omega_0 \\ a_2 &= 1 - \frac{\alpha_Q}{A} \end{align*} $$
- "
lowshelf
" -
$$ \begin{align*} b_0 &= A \left[ (A+1) - (A-1) \cos\omega_0 + 2 \alpha_S \sqrt{A})\right] \\ b_1 &= 2 A \left[ (A-1) - (A+1) \cos\omega_0 )\right] \\ b_2 &= A \left[ (A+1) - (A-1) \cos\omega_0 - 2 \alpha_S \sqrt{A}) \right] \\ a_0 &= (A+1) + (A-1) \cos\omega_0 + 2 \alpha_S \sqrt{A} \\ a_1 &= -2 \left[ (A-1) + (A+1) \cos\omega_0\right] \\ a_2 &= (A+1) + (A-1) \cos\omega_0 - 2 \alpha_S \sqrt{A}) \end{align*} $$
- "
highshelf
" -
$$ \begin{align*} b_0 &= A\left[ (A+1) + (A-1)\cos\omega_0 + 2\alpha_S\sqrt{A} )\right] \\ b_1 &= -2A\left[ (A-1) + (A+1)\cos\omega_0 )\right] \\ b_2 &= A\left[ (A+1) + (A-1)\cos\omega_0 - 2\alpha_S\sqrt{A} )\right] \\ a_0 &= (A+1) - (A-1)\cos\omega_0 + 2\alpha_S\sqrt{A} \\ a_1 &= 2\left[ (A-1) - (A+1)\cos\omega_0\right] \\ a_2 &= (A+1) - (A-1)\cos\omega_0 - 2\alpha_S\sqrt{A} \end{align*} $$
1.14. The ChannelMergerNode
Interface
The ChannelMergerNode
is for use in more advanced
applications and would often be used in conjunction with ChannelSplitterNode
.
Property | Value | Notes |
---|---|---|
numberOfInputs
| see notes | Defaults to 6, but is determined by ChannelMergerOptions ,numberOfInputs or the value specified by createChannelMerger .
|
numberOfOutputs
| 1 | |
channelCount
| 1 | Has channelCount constraints |
channelCountMode
| "explicit "
| Has channelCountMode constraints |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
This interface represents an AudioNode
for
combining channels from multiple audio streams into a single audio
stream. It has a variable number of inputs (defaulting to 6), but not
all of them need be connected. There is a single output whose audio
stream has a number of channels equal to the number of inputs.
To merge multiple inputs into one stream, each input gets downmixed into one channel (mono) based on the specified mixing rule. An unconnected input still counts as one silent channel in the output. Changing input streams does not affect the order of output channels.
ChannelMergerNode
has
two connected stereo inputs, the first and second input will be
downmixed to mono respectively before merging. The output will be a
6-channel stream whose first two channels are be filled with the
first two (downmixed) inputs and the rest of channels will be silent.
Also the ChannelMergerNode
can be used to arrange
multiple audio streams in a certain order for the multi-channel
speaker array such as 5.1 surround set up. The merger does not
interpret the channel identities (such as left, right, etc.), but
simply combines channels in the order that they are input.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional ChannelMergerOptionsoptions
)] interface ChannelMergerNode : AudioNode { };
1.14.1. Constructors
ChannelMergerNode(context, options)
-
Let node be a new
ChannelMergerNode
object. Initialize node, and return node.Arguments for the ChannelMergerNode.ChannelMergerNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newChannelMergerNode
will be associated with.options
ChannelMergerOptions ✘ ✔ Optional initial parameter value for this ChannelMergerNode
.
1.14.2. ChannelMergerOptions
dictionary ChannelMergerOptions : AudioNodeOptions { unsigned long numberOfInputs = 6; };
1.14.2.1. Dictionary ChannelMergerOptions
Members
numberOfInputs
, of type unsigned long, defaulting to6
-
The number inputs for the
ChannelMergerNode
. SeecreateChannelMerger()
for constraints on this value.
1.15. The ChannelSplitterNode
Interface
The ChannelSplitterNode
is for use in more advanced
applications and would often be used in conjunction with ChannelMergerNode
.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| see notes | This defaults to 6, but is otherwise determined from ChannelSplitterOptions.numberOfOutputs or the value specified by createChannelSplitter
|
channelCount
| numberOfOutputs
| Has channelCount constraints |
channelCountMode
| "explicit "
| Has channelCountMode constraints |
channelInterpretation
| "discrete "
| Has channelInterpretation constraints |
tail-time reference | No |
This interface represents an AudioNode
for
accessing the individual channels of an audio stream in the routing
graph. It has a single input, and a number of "active" outputs which
equals the number of channels in the input audio stream. For example,
if a stereo input is connected to an ChannelSplitterNode
then the number of active
outputs will be two (one from the left channel and one from the
right). There are always a total number of N outputs (determined by
the numberOfOutputs
parameter to the AudioContext
method createChannelSplitter()
), The
default number is 6 if this value is not provided. Any outputs which
are not "active" will output silence and would typically not be
connected to anything.
Please note that in this example, the splitter does not interpret the channel identities (such as left, right, etc.), but simply splits out channels in the order that they are input.
One application for ChannelSplitterNode
is for doing
"matrix mixing" where individual gain control of each channel is
desired.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional ChannelSplitterOptionsoptions
)] interface ChannelSplitterNode : AudioNode { };
1.15.1. Constructors
ChannelSplitterNode(context, options)
-
Let node be a new
ChannelSplitterNode
object. Initialize node, and return node.Arguments for the ChannelSplitterNode.ChannelSplitterNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newChannelSplitterNode
will be associated with.options
ChannelSplitterOptions ✘ ✔ Optional initial parameter value for this ChannelSplitterNode
.
1.15.2. ChannelSplitterOptions
dictionary ChannelSplitterOptions : AudioNodeOptions { unsigned long numberOfOutputs = 6; };
1.15.2.1. Dictionary ChannelSplitterOptions
Members
numberOfOutputs
, of type unsigned long, defaulting to6
-
The number outputs for the
ChannelSplitterNode
. SeecreateChannelSplitter()
for constraints on this value.
1.16. The ConstantSourceNode
Interface
This interface represents a constant audio source whose output is
nominally a constant value. It is useful as a constant source node in
general and can be used as if it were a constructible AudioParam
by automating its offset
or connecting another node to it.
The single output of this node consists of one channel (mono).
Property | Value | Notes |
---|---|---|
numberOfInputs
| 0 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional ConstantSourceOptionsoptions
)] interface ConstantSourceNode : AudioScheduledSourceNode { readonly attribute AudioParam offset; };
1.16.1. Constructors
ConstantSourceNode(context, options)
-
Let node be a new
ConstantSourceNode
object. Initialize node, and return node.Arguments for the ConstantSourceNode.ConstantSourceNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newConstantSourceNode
will be associated with.options
ConstantSourceOptions ✘ ✔ Optional initial parameter value for this ConstantSourceNode
.
1.16.2. Attributes
offset
, of type AudioParam, readonly-
The constant value of the source.
Parameter Value Notes defaultValue
1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"
1.16.3. ConstantSourceOptions
This specifies options for constructing a ConstantSourceNode
. All members are optional;
if not specified, the normal defaults are used for constructing the
node.
dictionary ConstantSourceOptions { float offset = 1; };
1.16.3.1. Dictionary ConstantSourceOptions
Members
offset
, of type float, defaulting to1
-
The initial value for the
offset
AudioParam of this node.
1.17. The ConvolverNode
Interface
This interface represents a processing node which applies a linear convolution effect given an impulse response.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | Has channelCount constraints |
channelCountMode
| "clamped-max "
| Has channelCountMode constraints |
channelInterpretation
| "speakers "
| |
tail-time reference | Yes | Continues to output non-silent audio with zero input for the length of the buffer .
|
The input of this node is either mono (1 channel) or stereo (2 channels) and cannot be increased. Connections from nodes with more channels will be down-mixed appropriately.
There are channelCount constraints and channelCountMode constraints for this node. These constraints ensure that the input to the node is either mono or stereo.
ConvolverNode
s are created with an internal flag buffer
set
, initially set to false.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional ConvolverOptionsoptions
)] interface ConvolverNode : AudioNode { attribute AudioBuffer? buffer; attribute boolean normalize; };
1.17.1. Constructors
ConvolverNode(context, options)
-
Let node be a new
ConvolverNode
object. Initialize node. Set an internal boolean slot[[buffer set]]
, and initialize it tofalse
. Return node.Arguments for the ConvolverNode.ConvolverNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newConvolverNode
will be associated with.options
ConvolverOptions ✘ ✔ Optional initial parameter value for this ConvolverNode
.
1.17.2. Attributes
buffer
, of type AudioBuffer, nullable-
A mono, stereo, or 4-channel
AudioBuffer
containing the (possibly multi-channel) impulse response used by theConvolverNode
. TheAudioBuffer
MUST have 1, 2, or 4 channels or aNotSupportedError
exception MUST be thrown. ThisAudioBuffer
MUST be of the same sample-rate as theAudioContext
or aNotSupportedError
exception MUST be thrown. At the time when this attribute is set, thebuffer
and the state of thenormalize
attribute will be used to configure theConvolverNode
with this impulse response having the given normalization. The initial value of this attribute is null.To set thebuffer
attribute, execute these steps:-
Let new buffer be the
AudioBuffer
to be assigned tobuffer
. -
If new buffer is not
null
and[[buffer set]]
is true, throw anInvalidStateError
and abort these steps. -
If new buffer is not
null
, set[[buffer set]]
to true. -
Assign new buffer to the
buffer
attribute.
Note: The
ConvolverNode
produces a mono output only in the single case where there is a single input channel and a single-channelbuffer
. In all other cases, the output is stereo. In particular, when thebuffer
has four channels and there are two input channels, theConvolverNode
performs matrix "true" stereo convolution. For normative information please see the channel configuration diagrams -
normalize
, of type boolean-
Controls whether the impulse response from the buffer will be scaled by an equal-power normalization when the
buffer
atttribute is set. Its default value istrue
in order to achieve a more uniform output level from the convolver when loaded with diverse impulse responses. Ifnormalize
is set tofalse
, then the convolution will be rendered with no pre-processing/scaling of the impulse response. Changes to this value do not take effect until the next time thebuffer
attribute is set.If the
normalize
attribute is false when thebuffer
attribute is set then theConvolverNode
will perform a linear convolution given the exact impulse response contained within thebuffer
.Otherwise, if the
normalize
attribute is true when thebuffer
attribute is set then theConvolverNode
will first perform a scaled RMS-power analysis of the audio data contained withinbuffer
to calculate a normalizationScale given this algorithm:function calculateNormalizationScale(buffer) { var GainCalibration = 0.00125; var GainCalibrationSampleRate = 44100; var MinPower = 0.000125; // Normalize by RMS power. var numberOfChannels = buffer.numberOfChannels; var length = buffer.length; var power = 0; for (var i = 0; i < numberOfChannels; i++) { var channelPower = 0; var channelData = buffer.getChannelData(i); for (var j = 0; j < length; j++) { var sample = channelData[j]; channelPower += sample * sample; } power += channelPower; } power = Math.sqrt(power / (numberOfChannels * length)); // Protect against accidental overload. if (!isFinite(power) || isNaN(power) || power < MinPower) power = MinPower; var scale = 1 / power; // Calibrate to make perceived volume same as unprocessed. scale *= GainCalibration; // Scale depends on sample-rate. if (buffer.sampleRate) scale *= GainCalibrationSampleRate / buffer.sampleRate; // True-stereo compensation. if (numberOfChannels == 4) scale *= 0.5; return scale;}
During processing, the ConvolverNode will then take this calculated normalizationScale value and multiply it by the result of the linear convolution resulting from processing the input with the impulse response (represented by the
buffer
) to produce the final output. Or any mathematically equivalent operation may be used, such as pre-multiplying the input by normalizationScale, or pre-multiplying a version of the impulse-response by normalizationScale.
1.17.3. ConvolverOptions
The specifies options for constructing a ConvolverNode
. All members are optional; if not
specified, the node is contructing using the normal defaults.
dictionary ConvolverOptions : AudioNodeOptions { AudioBuffer? buffer; boolean disableNormalization = false; };
1.17.3.1. Dictionary ConvolverOptions
Members
buffer
, of type AudioBuffer, nullable-
The desired buffer for the
ConvolverNode
. This buffer will be normalized according to the value ofdisableNormalization
. disableNormalization
, of type boolean, defaulting tofalse
-
The opposite of the desired initial value for the
normalize
attribute of theConvolverNode
.
1.17.4. Channel Configurations for Input, Impulse Response and Output
Implementations MUST support the following allowable configurations
of impulse response channels in a ConvolverNode
to achieve various reverb effects with 1 or 2 channels of input.
The first image in the diagram illustrates the general case, where
the source has N input channels, the impulse response has K
channels, and the playback system has M output channels. Because ConvolverNode
is limited to 1 or 2 channels of
input, not every case can be handled.
Single channel convolution operates on a mono audio input, using a
mono impulse response, and generating a mono output. The remaining
images in the diagram illustrate the supported cases for mono and
stereo playback where N and M are 1 or 2 and K is 1, 2, or 4.
Developers desiring more complex and arbitrary matrixing can use a ChannelSplitterNode
, multiple single-channel ConvolverNode
s and a ChannelMergerNode
.
1.18. The DelayNode
Interface
A delay-line is a fundamental building block in audio applications.
This interface is an AudioNode
with a single
input and single output.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | Yes | Continues to output non-silent audio with zero input up to the maxDelayTime of the node.
|
The number of channels of the output always equals the number of channels of the input.
It delays the incoming audio signal by a certain amount.
Specifically, at each time t, input signal input(t), delay time delayTime(t) and output signal output(t), the output will be output(t) = input(t -
delayTime(t)). The default delayTime
is 0 seconds
(no delay).
When the number of channels in a DelayNode
's input changes
(thus changing the output channel count also), there may be delayed
audio samples which have not yet been output by the node and are part
of its internal state. If these samples were received earlier with a
different channel count, they MUST be upmixed or downmixed before
being combined with newly received input so that all internal
delay-line mixing takes place using the single prevailing channel
layout.
Note: By definition, a DelayNode
introduces an audio processing
latency equal to the amount of the delay.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional DelayOptionsoptions
)] interface DelayNode : AudioNode { readonly attribute AudioParam delayTime; };
1.18.1. Constructors
DelayNode(context, options)
-
Let node be a new
DelayNode
object. Initialize node, and return node.Arguments for the DelayNode.DelayNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newDelayNode
will be associated with.options
DelayOptions ✘ ✔ Optional initial parameter value for this DelayNode
.
1.18.2. Attributes
delayTime
, of type AudioParam, readonly-
An
AudioParam
object representing the amount of delay (in seconds) to apply. Its defaultvalue
is 0 (no delay). The minimum value is 0 and the maximum value is determined by themaxDelayTime
argument to theAudioContext
methodcreateDelay()
.If
DelayNode
is part of a cycle, then the value of thedelayTime
attribute is clamped to a minimum of one render quantum.Parameter Value Notes defaultValue
0 minValue
0 maxValue
maxDelayTime
automationRate
" a-rate
"
1.18.3. DelayOptions
This specifies options for constructing a DelayNode
. All members are optional; if not
given, the node is constructed using the normal defaults.
dictionary DelayOptions : AudioNodeOptions { double maxDelayTime = 1; double delayTime = 0; };
1.18.3.1. Dictionary DelayOptions
Members
delayTime
, of type double, defaulting to0
-
The initial delay time for the node.
maxDelayTime
, of type double, defaulting to1
-
The maximum delay time for the node. See
createDelay(maxDelayTime)
for constraints.
1.19. The DynamicsCompressorNode
Interface
DynamicsCompressorNode
is an AudioNode
processor implementing a dynamics
compression effect.
Dynamics compression is very commonly used in musical production and game audio. It lowers the volume of the loudest parts of the signal and raises the volume of the softest parts. Overall, a louder, richer, and fuller sound can be achieved. It is especially important in games and musical applications where large numbers of individual sounds are played simultaneous to control the overall signal level and help avoid clipping (distorting) the audio output to the speakers.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | Has channelCount constraints |
channelCountMode
| "clamped-max "
| Has channelCountMode constraints |
channelInterpretation
| "speakers "
| |
tail-time reference | Yes | This node has a tail-time reference such that this node continues to output non-silent audio with zero input due to the look-ahead delay. |
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional DynamicsCompressorOptionsoptions
)] interface DynamicsCompressorNode : AudioNode { readonly attribute AudioParam threshold; readonly attribute AudioParam knee; readonly attribute AudioParam ratio; readonly attribute float reduction; readonly attribute AudioParam attack; readonly attribute AudioParam release; };
1.19.1. Constructors
DynamicsCompressorNode(context, options)
-
Let node be a new
DynamicsCompressorNode
object. Initialize node. Let[[internal reduction]]
be a private slot on thisDynamicsCompressorNode
, that holds a floating point number, in decibels. Set[[internal reduction]]
to 0.0. Return node.Arguments for the DynamicsCompressorNode.DynamicsCompressorNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newDynamicsCompressorNode
will be associated with.options
DynamicsCompressorOptions ✘ ✔ Optional initial parameter value for this DynamicsCompressorNode
.
1.19.2. Attributes
attack
, of type AudioParam, readonly-
The amount of time (in seconds) to reduce the gain by 10dB.
Parameter Value Notes defaultValue
.003 minValue
0 maxValue
1 automationRate
" k-rate
"Has automation rate constraints knee
, of type AudioParam, readonly-
A decibel value representing the range above the threshold where the curve smoothly transitions to the "ratio" portion.
Parameter Value Notes defaultValue
30 minValue
0 maxValue
40 automationRate
" k-rate
"Has automation rate constraints ratio
, of type AudioParam, readonly-
The amount of dB change in input for a 1 dB change in output.
Parameter Value Notes defaultValue
12 minValue
1 maxValue
20 automationRate
" k-rate
"Has automation rate constraints reduction
, of type float, readonly-
A read-only decibel value for metering purposes, representing the current amount of gain reduction that the compressor is applying to the signal. If fed no signal the value will be 0 (no gain reduction). When this attribute is read, return the value of the private slot
[[internal reduction]]
. release
, of type AudioParam, readonly-
The amount of time (in seconds) to increase the gain by 10dB.
Parameter Value Notes defaultValue
.25 minValue
0 maxValue
1 automationRate
" k-rate
"Has automation rate constraints threshold
, of type AudioParam, readonly-
The decibel value above which the compression will start taking effect.
Parameter Value Notes defaultValue
-24 minValue
-100 maxValue
0 automationRate
" k-rate
"Has automation rate constraints
1.19.3. DynamicsCompressorOptions
This specifies the options to use in constructing a DynamicsCompressorNode
. All members are
optional; if not specified the normal defaults are used in
constructing the node.
dictionary DynamicsCompressorOptions : AudioNodeOptions { float attack = 0.003; float knee = 30; float ratio = 12; float release = 0.25; float threshold = -24; };
1.19.3.1. Dictionary DynamicsCompressorOptions
Members
attack
, of type float, defaulting to0.003
-
The initial value for the
attack
AudioParam. knee
, of type float, defaulting to30
-
The initial value for the
knee
AudioParam. ratio
, of type float, defaulting to12
-
The initial value for the
ratio
AudioParam. release
, of type float, defaulting to0.25
-
The initial value for the
release
AudioParam. threshold
, of type float, defaulting to-24
-
The initial value for the
threshold
AudioParam.
1.19.4. Processing
Dynamics compression can be implemented in a variety of ways. The DynamicsCompressorNode
implements a dynamics processor that
has the following characteristics:
-
Fixed look-ahead (this means that an
DynamicsCompressorNode
adds a fixed latency to the signal chain). -
Configurable attack speed, release speed, threshold, knee hardness and ratio.
-
Side-chaining is not supported.
-
The gain reduction is reported via the
reduction
property on theDynamicsCompressorNode
. -
The compression curve has three parts:
-
The first part is the identity: \(f(x) = x\).
-
The second part is the soft-knee portion, which MUST be a monotonically increasing function.
-
The third part is a linear function: \(f(x) = \frac{1}{ratio} \cdot x \).
This curve MUST be continuous and piece-wise differentiable, and corresponds to a target output level, based on the input level.
-
Graphically, such a curve would look something like this:
Internally, the DynamicsCompressorNode
is described with a
combination of other AudioNode
s, as well as a special
algorithm, to compute the gain reduction value.
The following AudioNode
graph is used internally, input
and output
respectively being the
input and output AudioNode
, context
the BaseAudioContext
for this DynamicsCompressorNode
, and
new class, EnvelopeFollower, that instantiate a
special object that behaves like an AudioNode
, described
below:
var delay = new DelayNode(context, {delayTime: 0.006}); var gain = new GainNode(context); var compression = new EnvelopeFollower(); input.connect(delay).connect(gain).connect(output); input.connect(compression).connect(gain.gain);
Note: This implements the pre-delay and the application of the reduction gain.
The following algorithm describes the processing performed by an EnvelopeFollower object, to be applied to the input signal to produce the gain reduction value. An EnvelopeFollower has two slots holding floating point values. Those values persist accros invocation of this algorithm.
-
Let
[[detector average]]
be a floating point number, initialized to 0.0. -
Let
[[compressor gain]]
be a floating point number, initialized to 1.0.
-
Let attack and release have the values of
attack
andrelease
, respectively, sampled at the time of processing (those are k-rate parameters), mutiplied by the sample-rate of theBaseAudioContext
thisDynamicsCompressorNode
is associated with. -
Let detector average be the value of the slot
[[detector average]]
. -
Let compressor gain be the value of the slot
[[compressor gain]]
. -
For each sample input of the render quantum to be processed, execute the following steps:
-
Let releasing be
true
if target gain is greater than compressor gain,false
otherwise. -
If the absolute value of input is less than 0.0001, let attenuation be 1.0. Else, let shaped input be the value of applying the compression curve to the absolute value of input. Let attenuation be shaped input divided by the absolute value of input.
-
Let detector rate be the result of applying the detector curve to attenuation.
-
Substract detector average to attenuation, and multiply the result by detector rate. Add this new result to detector average.
-
Clamp detector average to a maximum of 1.0.
-
Let envelope rate be the result of computing the envelope rate based on values of attack and release.
-
If releasing is
true
, set compressor gain to the multiplication of compressor gain by envelope rate, clamped to a maximum of 1.0. -
Else, if releasing is
false
, let gain increment to be detector average minus compressor gain. Multiply gain increment by envelope rate, and add the result to compressor gain. -
Compute reduction gain to be compressor gain multiplied by the return value of computing the makeup gain.
-
Compute metering gain to be final gain, converted to decibel.
-
-
Set
[[compressor gain]]
to compressor gain. -
Set
[[detector average]]
to detector average. -
Atomically set the internal slot
[[internal reduction]]
to the value of metering gain.Note: This step makes the metering gain update once per block, at the end of the block processing.
The makeup gain is a fixed gain stage that only depends on ratio, knee and threshold parameter of the compressor, and not on the input signal. The intent here is to increase the output level of the compressor so it is comparable to the input level.
-
Let full range gain be the value returned by applying the compression curve to the value 1.0.
-
Let full range makeup gain the inverse of full range gain.
-
Return the result of taking 0.6 power of full range makeup gain.
-
The envelope rate MUST be the calculated from the ratio of the compressor gain and the detector average.
Note: When attacking, this number less than or equal to 1, when releasing, this number is strictly greater than 1.
-
The attack curve MUST be a continuous, monotonically increasing function in the range \([0, 1]\). The shape of this curve MAY be controlled by
attack
. -
The release curve MUST be a continuous, monotonically decreasing function that is always greater than 1. The shape of this curve MAY be controlled by
release
.
This operation returns the value computed by applying this function to the ratio of compressor gain and detector average.
Applying the detector curve to the change rate when attacking or releasing allow implementing adaptive release. It is a function that MUST respect the following constraints:
-
The output of the function MUST be in \([0,1]\).
-
The function MUST be monotonically increasing, continuous.
Note: It is allowed, for example, to have a compressor that performs an adaptive release, that is, releasing faster the harder the compression, or to have curves for attack and release that are not of the same shape.
-
Let threshold and knee have the values of
threshold
andknee
, respectively, converted to linear units sampled at the time of processing of this block (as k-rate parameters). -
Let ratio have the value of the
ratio
, sampled at the time of processing of this block (as a k-rate parameter). -
This function is the identity up to the value of the linear threshold (i.e., \(f(x) = x\)).
-
From the threshold up to the threshold + knee, User-Agents can choose the curve shape. The whole function MUST be monotonically increasing and continuous.
Note: If the knee is 0, the
DynamicsCompressorNode
is called a hard-knee compressor. -
This function is linear, based on the ratio, after the threshold and the soft knee (i.e., \(f(x) = \frac{1}{ratio} \cdot x \)).
-
If \(v\) is equal to zero, return -1000.
-
Else, return \( 20 \, \log_{10}{v} \)
1.20. The GainNode
Interface
Changing the gain of an audio signal is a fundamental operation in
audio applications. The GainNode
is one of the building
blocks for creating mixers. This
interface is an AudioNode
with a single input and
single output:
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
Each sample of each channel of the input data of the GainNode
MUST be multiplied by the computedValue of the gain
AudioParam
.
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional GainOptionsoptions
)] interface GainNode : AudioNode { readonly attribute AudioParam gain; };
1.20.1. Constructors
GainNode(context, options)
-
Let gain be a new
GainNode
object. Initialize gain, and return gain.Arguments for the GainNode.GainNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newGainNode
will be associated with.options
GainOptions ✘ ✔ Optional initial parameter values for this GainNode
.
1.20.2. Attributes
gain
, of type AudioParam, readonly-
Represents the amount of gain to apply.
Parameter Value Notes defaultValue
1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"
1.20.3. GainOptions
This specifies options to use in constructing a GainNode
. All members are optional; if not
specified, the normal defaults are used in constructing the node.
dictionary GainOptions : AudioNodeOptions { float gain = 1.0; };
1.20.3.1. Dictionary GainOptions
Members
gain
, of type float, defaulting to1.0
-
The initial gain value for the
gain
AudioParam.
1.21. The IIRFilterNode
Interface
IIRFilterNode
is an AudioNode
processor implementing a general IIR Filter. In general, it is best
to use BiquadFilterNode
's to implement
higher-order filters for the following reasons:
-
Generally less sensitive to numeric issues
-
Filter parameters can be automated
-
Can be used to create all even-ordered IIR filters
However, odd-ordered filters cannot be created, so if such filters are needed or automation is not needed, then IIR filters may be appropriate.
Once created, the coefficients of the IIR filter cannot be changed.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | Yes | Continues to output non-silent audio with zero input. Since this is an IIR filter, the filter produces non-zero input forever, but in practice, this can be limited after some finite time where the output is sufficiently close to zero. The actual time depends on the filter coefficients. |
The number of channels of the output always equals the number of channels of the input.
[Exposed=Window, Constructor (BaseAudioContextcontext
, IIRFilterOptionsoptions
)] interface IIRFilterNode : AudioNode { void getFrequencyResponse (Float32ArrayfrequencyHz
, Float32ArraymagResponse
, Float32ArrayphaseResponse
); };
1.21.1. Constructors
IIRFilterNode(context, options)
-
Arguments for the IIRFilterNode.IIRFilterNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newIIRFilterNode
will be associated with.options
IIRFilterOptions ✘ ✘ Optional initial parameter value for this IIRFilterNode
.
1.21.2. Methods
getFrequencyResponse(frequencyHz, magResponse, phaseResponse)
-
Given the current filter parameter settings, synchronously calculates the frequency response for the specified frequencies. The three parameters MUST be
Float32Array
s of the same length, or anInvalidAccessError
MUST be thrown.Arguments for the IIRFilterNode.getFrequencyResponse() method. Parameter Type Nullable Optional Description frequencyHz
Float32Array ✘ ✘ This parameter specifies an array of frequencies at which the response values will be calculated. magResponse
Float32Array ✘ ✘ This parameter specifies an output array receiving the linear magnitude response values. If a value in the frequencyHz
parameter is not within [0; sampleRate/2], wheresampleRate
is the value of thesampleRate
property of theAudioContext
, the corresponding value at the same index of themagResponse
array MUST beNaN
.phaseResponse
Float32Array ✘ ✘ This parameter specifies an output array receiving the phase response values in radians. If a value in the frequencyHz
parameter is not within [0; sampleRate/2], wheresampleRate
is the value of thesampleRate
property of theAudioContext
, the corresponding value at the same index of thephaseResponse
array MUST beNaN
.Return type:void
1.21.3. IIRFilterOptions
The IIRFilterOptions
dictionary is used to specify the
filter coefficients of the IIRFilterNode
.
dictionary IIRFilterOptions : AudioNodeOptions { required sequence<double> feedforward; required sequence<double> feedback; };
1.21.3.1. Dictionary IIRFilterOptions
Members
feedforward
, of type sequence<double>-
The feedforward coefficients for the
IIRFilterNode
. This member is required. If not specifed, aNotFoundError
MUST be thrown. Seefeedforward
argument ofcreateIIRFilter()
for other constraints. feedback
, of type sequence<double>-
The feedback coefficients for the
IIRFilterNode
. This member is required. If not specifed, aNotFoundError
MUST be thrown. Seefeedback
argument ofcreateIIRFilter()
for other constraints.
1.21.4. Filter Definition
Let \(b_m\) be the feedforward
coefficients and
\(a_n\) be the feedback
coefficients specified by createIIRFilter()
. Then the
transfer function of the general IIR filter is given by
$$ H(z) = \frac{\sum_{m=0}^{M} b_m z^{-m}}{\sum_{n=0}^{N} a_n z^{-n}} $$
where \(M + 1\) is the length of the \(b\) array and \(N + 1\) is
the length of the \(a\) array. The coefficient \(a_0\) MUST not be 0 (see feedback parameter
for createIIRFilter()
).
At least one of \(b_m\) MUST be non-zero (see feedforward parameter
for createIIRFilter()
).
Equivalently, the time-domain equation is:
$$ \sum_{k=0}^{N} a_k y(n-k) = \sum_{k=0}^{M} b_k x(n-k) $$
The initial filter state is the all-zeroes state.
1.22. The MediaElementAudioSourceNode
Interface
This interface represents an audio source from an audio
or video
element.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 0 | |
numberOfOutputs
| 1 | |
tail-time reference | No |
The number of channels of the output corresponds to the number of
channels of the media referenced by the HTMLMediaElement
. Thus, changes to the media element’s src
attribute can change the number of channels output
by this node.
[Exposed=Window, Constructor (AudioContextcontext
, MediaElementAudioSourceOptionsoptions
)] interface MediaElementAudioSourceNode : AudioNode { [SameObject] readonly attribute HTMLMediaElement mediaElement; };
1.22.1. Constructors
MediaElementAudioSourceNode(context, options)
-
Let node be a new
MediaElementAudioSourceNode
object. Initialize node, and return node.Arguments for the MediaElementAudioSourceNode.MediaElementAudioSourceNode() method. Parameter Type Nullable Optional Description context
AudioContext ✘ ✘ The BaseAudioContext
this newMediaElementAudioSourceNode
will be associated with.options
MediaElementAudioSourceOptions ✘ ✘ Parameter value for this MediaElementAudioSourceNode
.
1.22.2. Attributes
mediaElement
, of type HTMLMediaElement, readonly-
The
HTMLMediaElement
used when constructing thisMediaElementAudioSourceNode
.
A MediaElementAudioSourceNode
is created given an HTMLMediaElement
using the AudioContext
createMediaElementSource()
method.
The number of channels of the single output equals the number of
channels of the audio referenced by the HTMLMediaElement
passed in as the argument to createMediaElementSource()
,
or is 1 if the HTMLMediaElement
has no audio.
The HTMLMediaElement
MUST behave in an identical fashion
after the MediaElementAudioSourceNode
has been created, except that the rendered audio will no longer be heard
directly, but instead will be heard as a consequence of the MediaElementAudioSourceNode
being connected through the
routing graph. Thus pausing, seeking, volume, src
attribute changes, and other aspects of the HTMLMediaElement
MUST behave as they normally would if not used with a MediaElementAudioSourceNode
.
var mediaElement = document.getElementById('mediaElementID'); var sourceNode = context.createMediaElementSource(mediaElement); sourceNode.connect(filterNode);
1.22.3. MediaElementAudioSourceOptions
This specifies the options to use in constructing a MediaElementAudioSourceNode
.
dictionary MediaElementAudioSourceOptions { required HTMLMediaElement mediaElement; };
1.22.3.1. Dictionary MediaElementAudioSourceOptions
Members
mediaElement
, of type HTMLMediaElement-
The media element that will be re-routed. This MUST be specified.
1.22.4. Security with MediaElementAudioSourceNode and Cross-Origin Resources
HTMLMediaElement
allows the playback of cross-origin
resources. Because Web Audio allows inspection of the content of
the resource (e.g. using a MediaElementAudioSourceNode
, and
a ScriptProcessorNode
to read the samples), information
leakage can occur if scripts from one origin inspect the content of a resource from another origin.
To prevent this, a MediaElementAudioSourceNode
MUST output silence instead of the normal output of the HTMLMediaElement
if it has been created using an HTMLMediaElement
for which the execution of the fetch
algorithm labeled the resource as CORS-cross-origin.
1.23. The MediaStreamAudioDestinationNode
Interface
This interface is an audio destination representing a MediaStream with a single MediaStreamTrack whose kind
is "audio"
. This MediaStream is
created when the node is created and is accessible via the stream
attribute. This stream can be used in a similar way
as a MediaStream obtained via getUserMedia()
, and can, for example, be sent to a
remote peer using the RTCPeerConnection
(described in [webrtc]) addStream()
method.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 0 | |
channelCount
| 2 | |
channelCountMode
| "explicit "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
The number of channels of the input is by default 2 (stereo).
[Exposed=Window, Constructor (AudioContextcontext
, optional AudioNodeOptionsoptions
)] interface MediaStreamAudioDestinationNode : AudioNode { readonly attribute MediaStream stream; };
1.23.1. Constructors
MediaStreamAudioDestinationNode(context, options)
-
Let node be a new
MediaStreamAudioDestinationNode
object. Initialize node, and return node.Arguments for the MediaStreamAudioDestinationNode.MediaStreamAudioDestinationNode() method. Parameter Type Nullable Optional Description context
AudioContext ✘ ✘ The BaseAudioContext
this newMediaStreamAudioDestinationNode
will be associated with.options
AudioNodeOptions ✘ ✔ Optional initial parameter value for this MediaStreamAudioDestinationNode
.
1.23.2. Attributes
stream
, of type MediaStream, readonly-
A MediaStream containing a single MediaStreamTrack with the same number of channels as the node itself, and whose
kind
attribute has the value"audio"
.
1.24. The MediaStreamAudioSourceNode
Interface
This interface represents an audio source from a MediaStream. The track that will be used as the source
of audio and will be output from this node is the first MediaStreamTrack whose kind
attribute has
the value "audio"
, when alphabetically sorting the
tracks of this MediaStream by their id
attribute. Those interfaces are described in [mediacapture-streams].
Note: The behaviour for picking the track to output is weird for legacy
reasons. MediaStreamTrackAudioSourceNode
should be used
instead.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 0 | |
numberOfOutputs
| 1 | |
tail-time reference | No |
The number of channels of the output corresponds to the number of channels of the MediaStreamTrack. If there is no valid audio track, then the number of channels output will be one silent channel.
[Exposed=Window, Constructor (AudioContextcontext
, MediaStreamAudioSourceOptionsoptions
)] interface MediaStreamAudioSourceNode : AudioNode { [SameObject] readonly attribute MediaStream mediaStream; };
1.24.1. Constructors
MediaStreamAudioSourceNode(context, options)
-
Let node be a new
MediaStreamAudioSourceNode
object. Initialize node, and return node.Arguments for the MediaStreamAudioSourceNode.MediaStreamAudioSourceNode() method. Parameter Type Nullable Optional Description context
AudioContext ✘ ✘ The BaseAudioContext
this newMediaStreamAudioSourceNode
will be associated with.options
MediaStreamAudioSourceOptions ✘ ✘ Initial parameter values for this MediaStreamAudioSourceNode
. If themediaStream
parameter does not reference a MediaStream whosekind
attribute has the value"audio"
, anInvalidStateError
MUST be thrown.
1.24.2. Attributes
mediaStream
, of type MediaStream, readonly-
The MediaStream used when constructing this
MediaStreamAudioSourceNode
.
1.24.3. MediaStreamAudioSourceOptions
This specifies the options for constructing a MediaStreamAudioSourceNode
.
dictionary MediaStreamAudioSourceOptions { required MediaStream mediaStream; };
1.24.3.1. Dictionary MediaStreamAudioSourceOptions
Members
mediaStream
, of type MediaStream-
The media stream that will act as a source. This MUST be specified.
1.25. The MediaStreamTrackAudioSourceNode
Interface
This interface represents an audio source from a MediaStreamTrack.
Property | Value | Notes |
---|---|---|
numberOfInputs
| 0 | |
numberOfOutputs
| 1 | |
tail-time reference | No |
The number of channels of the output corresponds to the number of channels of the MediaStreamTrack.
[Exposed=Window, Constructor (AudioContextcontext
, MediaStreamTrackAudioSourceOptionsoptions
)] interface MediaStreamTrackAudioSourceNode : AudioNode { };
1.25.1. Constructors
MediaStreamTrackAudioSourceNode(context, options)
-
Let node be a new
MediaStreamTrackAudioSourceNode
object. Initialize node, and return node.Arguments for the MediaStreamTrackAudioSourceNode.MediaStreamTrackAudioSourceNode() method. Parameter Type Nullable Optional Description context
AudioContext ✘ ✘ The BaseAudioContext
this newMediaStreamTrackAudioSourceNode
will be associated with.options
MediaStreamTrackAudioSourceOptions ✘ ✘ Initial parameter value for this MediaStreamTrackAudioSourceNode
.
1.25.2. MediaStreamTrackAudioSourceOptions
This specifies the options for constructing a MediaStreamTrackAudioSourceNode
. This is
required.
dictionary MediaStreamTrackAudioSourceOptions { required MediaStreamTrack mediaStreamTrack; };
1.25.2.1. Dictionary MediaStreamTrackAudioSourceOptions
Members
mediaStreamTrack
, of type MediaStreamTrack-
The media stream track that will act as a source. If this MediaStreamTrack
kind
attribute is not"audio"
, anInvalidStateError
MUST be thrown.
1.26. The OscillatorNode
Interface
OscillatorNode
represents an audio source
generating a periodic waveform. It can be set to a few commonly used
waveforms. Additionally, it can be set to an arbitrary periodic
waveform through the use of a PeriodicWave
object.
Oscillators are common foundational building blocks in audio
synthesis. An OscillatorNode will start emitting sound at the time
specified by the start()
method.
Mathematically speaking, a continuous-time periodic waveform can have very high (or infinitely high) frequency information when considered in the frequency domain. When this waveform is sampled as a discrete-time digital audio signal at a particular sample-rate, then care MUST be taken to discard (filter out) the high-frequency information higher than the Nyquist frequency before converting the waveform to a digital form. If this is not done, then aliasing of higher frequencies (than the Nyquist frequency) will fold back as mirror images into frequencies lower than the Nyquist frequency. In many cases this will cause audibly objectionable artifacts. This is a basic and well understood principle of audio DSP.
There are several practical approaches that an implementation may take to avoid this aliasing. Regardless of approach, the idealized discrete-time digital audio signal is well defined mathematically. The trade-off for the implementation is a matter of implementation cost (in terms of CPU usage) versus fidelity to achieving this ideal.
It is expected that an implementation will take some care in achieving this ideal, but it is reasonable to consider lower-quality, less-costly approaches on lower-end hardware.
Both frequency
and detune
are a-rate parameters, and form a compound parameter. They are used
together to determine a computedOscFrequency value:
computedOscFrequency(t) = frequency(t) * pow(2, detune(t) / 1200)
The OscillatorNode’s instantaneous phase at each time is the definite time integral of computedOscFrequency, assuming a phase angle of zero at the node’s exact start time. Its nominal range is [-Nyquist frequency, Nyquist frequency].
Property | Value | Notes |
---|---|---|
numberOfInputs
| 0 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | |
channelCountMode
| "max "
| |
channelInterpretation
| "speakers "
| |
tail-time reference | No |
enum OscillatorType
{
"sine",
"square",
"sawtooth",
"triangle",
"custom"
};
Enumeration description | |
---|---|
"sine "
| A sine wave |
"square "
| A square wave of duty period 0.5 |
"sawtooth "
| A sawtooth wave |
"triangle "
| A triangle wave |
"custom "
| A custom periodic wave |
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional OscillatorOptionsoptions
)] interface OscillatorNode : AudioScheduledSourceNode { attribute OscillatorType type; readonly attribute AudioParam frequency; readonly attribute AudioParam detune; void setPeriodicWave (PeriodicWaveperiodicWave
); };
1.27. Constructors
OscillatorNode(context, options)
-
Let node be a new
OscillatorNode
object. Initialize node, and return node.Arguments for the OscillatorNode.OscillatorNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newOscillatorNode
will be associated with.options
OscillatorOptions ✘ ✔ Optional initial parameter value for this OscillatorNode
.
1.27.1. Attributes
detune
, of type AudioParam, readonly-
A detuning value (in cents) which will offset the
frequency
by the given amount. Its defaultvalue
is 0. This parameter is a-rate. It forms a compound parameter withfrequency
to form the computedOscFrequency.Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
" frequency
, of type AudioParam, readonly-
The frequency (in Hertz) of the periodic waveform. Its default
value
is 440. This parameter is a-rate. It forms a compound parameter withdetune
to form the computedOscFrequency. Its nominal range is [-Nyquist frequency, Nyquist frequency].Parameter Value Notes defaultValue
440 minValue
-Nyquist frequency maxValue
Nyquist frequency automationRate
" a-rate
" type
, of type OscillatorType-
The shape of the periodic waveform. It may directly be set to any of the type constant values except for "custom". Doing so MUST throw an
InvalidStateError
exception. ThesetPeriodicWave()
method can be used to set a custom waveform, which results in this attribute being set to "custom". The default value is "sine". When this attribute is set, the phase of the oscillator MUST be conserved.
1.27.2. Methods
setPeriodicWave(periodicWave)
-
Sets an arbitrary custom periodic waveform given a
PeriodicWave
.Arguments for the OscillatorNode.setPeriodicWave() method. Parameter Type Nullable Optional Description periodicWave
PeriodicWave ✘ ✘ Return type:void
1.27.3. OscillatorOptions
This specifies the options to be used when constructing an OscillatorNode
. All of the members are
optional; if not specified, the normal default values are used for
constructing the oscillator.
dictionary OscillatorOptions : AudioNodeOptions { OscillatorType type = "sine"; float frequency = 440; float detune = 0; PeriodicWave periodicWave; };
1.27.3.1. Dictionary OscillatorOptions
Members
detune
, of type float, defaulting to0
-
The initial detune value for the
OscillatorNode
. frequency
, of type float, defaulting to440
-
The initial frequency for the
OscillatorNode
. periodicWave
, of type PeriodicWave-
The
PeriodicWave
for theOscillatorNode
. If this is specified, then any valid value fortype
is ignored; it is treated as if "custom" were specified. type
, of type OscillatorType, defaulting to"sine"
-
The type of oscillator to be constructed. If this is set to "custom" without also specifying a
periodicWave
, then anInvalidStateError
exception MUST be thrown. IfperiodicWave
is specified, then any valid value fortype
is ignored; it is treated as if it were set to "custom".
1.27.4. Basic Waveform Phase
The idealized mathematical waveforms for the various oscillator types are defined here. In summary, all waveforms are defined mathematically to be an odd function with a positive slope at time 0. The actual waveforms produced by the oscillator may differ to prevent aliasing affects.
The oscillator MUST produce the same result as if a PeriodicWave with the appropriate Fourier series and with normalization enabled were used to create these basic waveforms.
- "
sine
" -
The waveform for sine oscillator is:
$$ x(t) = \sin t $$
- "
square
" -
The waveform for the square wave oscillator is:
$$ x(t) = \begin{cases} 1 & \mbox{for } 0≤ t < \pi \\ -1 & \mbox{for } -\pi < t < 0. \end{cases} $$
This is extended to all \(t\) by using the fact that the waveform is an odd function with period \(2\pi\).
- "
sawtooth
" -
The waveform for the sawtooth oscillator is the ramp:
$$ x(t) = \frac{t}{\pi} \mbox{ for } -\pi < t ≤ \pi; $$
This is extended to all \(t\) by using the fact that the waveform is an odd function with period \(2\pi\).
- "
triangle
" -
The waveform for the triangle oscillator is:
$$ x(t) = \begin{cases} \frac{2}{\pi} t & \mbox{for } 0 ≤ t ≤ \frac{\pi}{2} \\ 1-\frac{2}{\pi} (t-\frac{\pi}{2}) & \mbox{for } \frac{\pi}{2} < t ≤ \pi. \end{cases} $$
This is extended to all \(t\) by using the fact that the waveform is an odd function with period \(2\pi\).
1.28. The PannerNode
Interface
This interface represents a processing node which positions / spatializes an incoming audio
stream in three-dimensional space. The spatialization is in relation
to the AudioContext
's AudioListener
(listener
attribute).
Property | Value | Notes |
---|---|---|
numberOfInputs
| 1 | |
numberOfOutputs
| 1 | |
channelCount
| 2 | Has channelCount constraints |
channelCountMode
| "clamped-max "
| Has channelCountMode constraints |
channelInterpretation
| "speakers "
| |
tail-time reference | Maybe | If the panningModel is set to "HRTF ", the node will produce non-silent output for silent input due to the inherent processing for head responses. Otherwise there are no tail-time references.
|
The input of this node is either mono (1 channel) or stereo (2 channels) and cannot be increased. Connections from nodes with fewer or more channels will be up-mixed or down-mixed appropriately.
The output of this node is hard-coded to stereo (2 channels) and cannot be configured.
The PanningModelType
enum determines which
spatialization algorithm will be used to position the audio in 3D
space. The default is "equalpower
".
enum PanningModelType
{
"equalpower",
"HRTF"
};
Enumeration description | |
---|---|
"equalpower "
|
A simple and efficient spatialization algorithm using equal-power
panning.
Note: When this panning model is used, all the |
"HRTF "
|
A higher quality spatialization algorithm using a convolution
with measured impulse responses from human subjects. This panning
method renders stereo output.
Note:When this panning model is used, all the |
The effective automation rate for an AudioParam
of a PannerNode
is determined by the panningModel
and automationRate
of the AudioParam
. If the panningModel
is "HRTF
", the effective automation rate is "k-rate
",
independent of the setting of the automationRate
.
Otherwise the effective automation rate is the value of automationRate
.
The DistanceModelType
enum determines which
algorithm will be used to reduce the volume of an audio source as it
moves away from the listener. The default is "inverse".
In the description of each distance model below, let \(d\) be the
distance between the listener and the panner; \(d_{ref}\) be the
value of the refDistance
attribute; \(d_{max}\) be the
value of the maxDistance
attribute; and \(f\) be the
value of the rolloffFactor
attribute.
enum DistanceModelType
{
"linear",
"inverse",
"exponential"
};
Enumeration description | |
---|---|
"linear "
|
A linear distance model which calculates distanceGain according to:
$$ 1 - f\frac{\max(\min(d, d’_{max}), d’_{ref}) - d’_{ref}}{d’_{max} - d’_{ref}} $$ where \(d’_{ref} = \min(d_{ref}, d_{max})\) and \(d’_{max} = \max(d_{ref}, d_{max})\). In the case where \(d’_{ref} = d’_{max}\), the value of the linear model is taken to be \(1-f\). Note that \(d\) is clamped to the interval \([d’_{ref},\, d’_{max}]\). |
"inverse "
|
An inverse distance model which calculates distanceGain according to:
$$ \frac{d_{ref}}{d_{ref} + f (\max(d, d_{ref}) - d_{ref})} $$ That is, \(d\) is clamped to the interval \([d_{ref},\, \infty)\). If \(d_{ref} = 0\), the value of the inverse model is taken to be 0, independent of the value of \(d\) and \(f\). |
"exponential "
|
An exponential distance model which calculates distanceGain according to:
$$ \left(\frac{\max(d, d_{ref})}{d_{ref}}\right)^{-f} $$ That is, \(d\) is clamped to the interval \([d_{ref},\, \infty)\). If \(d_{ref} = 0\), the value of the exponential model is taken to be 0, independent of \(d\) and \(f\). |
[Exposed=Window, Constructor (BaseAudioContextcontext
, optional PannerOptionsoptions
)] interface PannerNode : AudioNode { attribute PanningModelType panningModel; readonly attribute AudioParam positionX; readonly attribute AudioParam positionY; readonly attribute AudioParam positionZ; readonly attribute AudioParam orientationX; readonly attribute AudioParam orientationY; readonly attribute AudioParam orientationZ; attribute DistanceModelType distanceModel; attribute double refDistance; attribute double maxDistance; attribute double rolloffFactor; attribute double coneInnerAngle; attribute double coneOuterAngle; attribute double coneOuterGain; void setPosition (floatx
, floaty
, floatz
); void setOrientation (floatx
, floaty
, floatz
); };
1.28.1. Constructors
PannerNode(context, options)
-
Let node be a new
PannerNode
object. Initialize node, and return node.Arguments for the PannerNode.PannerNode() method. Parameter Type Nullable Optional Description context
BaseAudioContext ✘ ✘ The BaseAudioContext
this newPannerNode
will be associated with.options
PannerOptions ✘ ✔ Optional initial parameter value for this PannerNode
.
1.28.2. Attributes
coneInnerAngle
, of type double-
A parameter for directional audio sources, this is an angle, in degrees, inside of which there will be no volume reduction. The default value is 360. The behavior is undefined if the angle is outside the interval [0, 360].
coneOuterAngle
, of type double-
A parameter for directional audio sources, this is an angle, in degrees, outside of which the volume will be reduced to a constant value of
coneOuterGain
. The default value is 360. The behavior is undefined if the angle is outside the interval [0, 360]. coneOuterGain
, of type double-
A parameter for directional audio sources, this is the gain outside of the
coneOuterAngle
. The default value is 0. It is a linear value (not dB) in the range [0, 1]. AnInvalidStateError
MUST be thrown if the parameter is outside this range. distanceModel
, of type DistanceModelType-
Specifies the distance model used by this
PannerNode
. Defaults to "inverse
". maxDistance
, of type double-
The maximum distance between source and listener, after which the volume will not be reduced any further. The default value is 10000. A
RangeError
exception MUST be thrown if this is set to a non-positive value. orientationX
, of type AudioParam, readonly-
Describes the x component of the vector of the direction the audio source is pointing in 3D Cartesian coordinate space. Depending on how directional the sound is (controlled by the cone attributes), a sound pointing away from the listener can be very quiet or completely silent.
Parameter Value Notes defaultValue
1 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"Has automation rate constraints orientationY
, of type AudioParam, readonly-
Describes the y component of the vector of the direction the audio source is pointing in 3D cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"Has automation rate constraints orientationZ
, of type AudioParam, readonly-
Describes the Z component of the vector of the direction the audio source is pointing in 3D cartesian coordinate space.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"Has automation rate constraints panningModel
, of type PanningModelType-
Specifies the panning model used by this
PannerNode
. Defaults to "equalpower
". positionX
, of type AudioParam, readonly-
Sets the x coordinate position of the audio source in a 3D Cartesian system.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"Has automation rate constraints positionY
, of type AudioParam, readonly-
Sets the y coordinate position of the audio source in a 3D Cartesian system.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"Has automation rate constraints positionZ
, of type AudioParam, readonly-
Sets the z coordinate position of the audio source in a 3D Cartesian system.
Parameter Value Notes defaultValue
0 minValue
most-negative-single-float Approximately -3.4028235e38 maxValue
most-positive-single-float Approximately 3.4028235e38 automationRate
" a-rate
"Has automation rate constraints refDistance
, of type double-
A reference distance for reducing volume as source moves further from the listener. The default value is 1. A
RangeError
exception MUST be thrown if this is set to a non-positive value. rolloffFactor
, of type double-
Describes how quickly the volume is reduced as source moves away from listener. The default value is 1. A
RangeError
exception MUST be thrown if this is set to a negative value.The nominal range for the
rolloffFactor
specifies the minimum and maximum values therolloffFactor
can have. Values outside the range are clamped to lie within this range. The nominal range depends on thedistanceModel
as follows:- "
linear
" -
The nominal range is \([0, 1]\).
- "
inverse
" -
The nominal range is \([0, \infty)\).
- "
exponential
" -
The nominal range is \([0, \infty)\).
- "
1.28.3. Methods
setOrientation(x, y, z)
-
This method is DEPRECATED. It is equivalent to setting
orientationX
.value
,orientationY
.value
, andorientationZ
.value
attribute directly, with thex
,y
andz
parameters, respectively.Consequently, if any of the
orientationX
,orientationY
, andorientationZ
AudioParam
s have an automation curve set usingsetValueCurveAtTime()
at the time this method is called, aNotSupportedError
MUST be thrown.Describes which direction the audio source is pointing in the 3D cartesian coordinate space. Depending on how directional the sound is (controlled by the cone attributes), a sound pointing away from the listener can be very quiet or completely silent.
The
x, y, z
parameters represent a direction vector in 3D space.The default value is (1,0,0).
Arguments for the PannerNode.setOrientation() method. Parameter Type Nullable Optional Description x
float ✘ ✘ y
float ✘ ✘ z
float ✘ ✘ Return type:void
setPosition(x, y, z)
-
This method is DEPRECATED. It is equivalent to setting
positionX
.value
,positionY
.value
, andpositionZ
.value
attribute directly with thex
,y
andz
parameters, respectively.Consequently, if any of the
positionX
,positionY
, andpositionZ
AudioParam
s have an automation curve set usingsetValueCurveAtTime()
at the time this method is called, aNotSupportedError
MUST be thrown.Sets the position of the audio source relative to the
listener
attribute. A 3D cartesian coordinate system is used.The
x, y, z
parameters represent the coordinates in 3D space.The default value is (0,0,0).
Arguments for the PannerNode.setPosition() method. Parameter Type Nullable Optional Description x
float ✘ ✘ y
float ✘ ✘ z
float ✘ ✘ Return type:void
1.28.4. PannerOptions
This specifies options for constructing a PannerNode
. All members are optional; if not
specified, the normal default is used in constructing the node.
dictionary PannerOptions : AudioNodeOptions { PanningModelType panningModel = "equalpower"; DistanceModelType distanceModel = "inverse"; float positionX = 0; float positionY = 0; float positionZ = 0; float orientationX = 1; float orientationY = 0; float orientationZ = 0;