Tone.js/Tone/effect/LFOEffect.ts

118 lines
2.4 KiB
TypeScript
Raw Normal View History

import { Effect, EffectOptions } from "../effect/Effect.js";
import { Frequency, NormalRange, Time } from "../core/type/Units.js";
import { LFO } from "../source/oscillator/LFO.js";
import { ToneOscillatorType } from "../source/oscillator/OscillatorInterface.js";
import { Signal } from "../signal/Signal.js";
import { readOnly } from "../core/util/Interface.js";
import { Param } from "../core/context/Param.js";
2019-10-28 21:50:05 +00:00
export interface LFOEffectOptions extends EffectOptions {
frequency: Frequency;
type: ToneOscillatorType;
depth: NormalRange;
}
/**
* Base class for LFO-based effects.
*/
export abstract class LFOEffect<
Options extends LFOEffectOptions,
> extends Effect<Options> {
2019-10-28 21:50:05 +00:00
readonly name: string = "LFOEffect";
/**
* the lfo which drives the filter cutoff
*/
protected _lfo: LFO;
2019-10-28 21:50:05 +00:00
/**
* The range of the filter modulating between the min and max frequency.
2019-10-28 21:50:05 +00:00
* 0 = no modulation. 1 = full modulation.
*/
readonly depth: Param<"normalRange">;
2019-10-28 21:50:05 +00:00
/**
* How fast the filter modulates between min and max.
2019-10-28 21:50:05 +00:00
*/
readonly frequency: Signal<"frequency">;
constructor(options: LFOEffectOptions) {
super(options);
this._lfo = new LFO({
context: this.context,
frequency: options.frequency,
amplitude: options.depth,
});
this.depth = this._lfo.amplitude;
this.frequency = this._lfo.frequency;
this.type = options.type;
readOnly(this, ["frequency", "depth"]);
}
static getDefaults(): LFOEffectOptions {
return Object.assign(Effect.getDefaults(), {
frequency: 1,
type: "sine" as ToneOscillatorType,
depth: 1,
});
}
/**
* Start the effect.
*/
start(time?: Time): this {
this._lfo.start(time);
return this;
}
/**
* Stop the lfo
*/
stop(time?: Time): this {
this._lfo.stop(time);
return this;
}
/**
* Sync the filter to the transport.
2024-04-29 16:59:49 +00:00
* @see {@link LFO.sync}
2019-10-28 21:50:05 +00:00
*/
sync(): this {
this._lfo.sync();
return this;
}
/**
* Unsync the filter from the transport.
*/
unsync(): this {
this._lfo.unsync();
return this;
}
/**
* The type of the LFO's oscillator.
2024-04-29 16:59:49 +00:00
* @see {@link Oscillator.type}
2019-10-28 21:50:05 +00:00
* @example
* const autoFilter = new Tone.AutoFilter().start().toDestination();
* const noise = new Tone.Noise().start().connect(autoFilter);
2019-10-28 21:50:05 +00:00
* autoFilter.type = "square";
*/
get type() {
return this._lfo.type;
}
set type(type) {
this._lfo.type = type;
}
dispose(): this {
super.dispose();
this._lfo.dispose();
this.frequency.dispose();
this.depth.dispose();
return this;
}
}