mirror of
https://github.com/Tonejs/Tone.js
synced 2024-11-16 08:38:00 +00:00
115 lines
No EOL
2.6 KiB
JavaScript
115 lines
No EOL
2.6 KiB
JavaScript
define(["Tone/core/Tone", "Tone/component/CrossFade"], function(Tone){
|
|
|
|
"use strict";
|
|
|
|
/**
|
|
* @class Effect is the base class for effects. connect the effect between
|
|
* the effectSend and effectReturn GainNodes. then control the amount of
|
|
* effect which goes to the output using the dry/wet control.
|
|
*
|
|
* @constructor
|
|
* @extends {Tone}
|
|
* @param {number} [initialWet=0] the starting wet value
|
|
* defaults to 100% wet
|
|
*/
|
|
Tone.Effect = function(){
|
|
|
|
Tone.call(this);
|
|
|
|
//get all of the defaults
|
|
var options = this.optionsObject(arguments, ["wet"], Tone.Effect.defaults);
|
|
|
|
/**
|
|
* the drywet knob to control the amount of effect
|
|
* @type {Tone.CrossFade}
|
|
*/
|
|
this.dryWet = new Tone.CrossFade(options.wet);
|
|
|
|
/**
|
|
* The wet control, i.e. how much of the effected
|
|
* will pass through to the output.
|
|
* @type {Tone.Signal}
|
|
*/
|
|
this.wet = this.dryWet.fade;
|
|
|
|
/**
|
|
* connect the effectSend to the input of hte effect
|
|
*
|
|
* @type {GainNode}
|
|
*/
|
|
this.effectSend = this.context.createGain();
|
|
|
|
/**
|
|
* connect the output of the effect to the effectReturn
|
|
*
|
|
* @type {GainNode}
|
|
*/
|
|
this.effectReturn = this.context.createGain();
|
|
|
|
//connections
|
|
this.input.connect(this.dryWet.a);
|
|
this.input.connect(this.effectSend);
|
|
this.effectReturn.connect(this.dryWet.b);
|
|
this.dryWet.connect(this.output);
|
|
};
|
|
|
|
Tone.extend(Tone.Effect);
|
|
|
|
/**
|
|
* @static
|
|
* @type {Object}
|
|
*/
|
|
Tone.Effect.defaults = {
|
|
"wet" : 1
|
|
};
|
|
|
|
/**
|
|
* bypass the effect
|
|
* @returns {Tone.Effect} `this`
|
|
*/
|
|
Tone.Effect.prototype.bypass = function(){
|
|
this.setWet(0);
|
|
return this;
|
|
};
|
|
|
|
/**
|
|
* chains the effect in between the effectSend and effectReturn
|
|
* @param {Tone} effect
|
|
* @internal
|
|
* @returns {Tone.Effect} `this`
|
|
*/
|
|
Tone.Effect.prototype.connectEffect = function(effect){
|
|
this.effectSend.chain(effect, this.effectReturn);
|
|
return this;
|
|
};
|
|
|
|
/**
|
|
* set the preset if it exists
|
|
* @param {string} presetName the name of the preset
|
|
* @returns {Tone.Effect} `this`
|
|
*/
|
|
Tone.Effect.prototype.setPreset = function(presetName){
|
|
if (!this.isUndef(this.preset) && this.preset.hasOwnProperty(presetName)){
|
|
this.set(this.preset[presetName]);
|
|
}
|
|
return this;
|
|
};
|
|
|
|
/**
|
|
* tear down
|
|
* @returns {Tone.Effect} `this`
|
|
*/
|
|
Tone.Effect.prototype.dispose = function(){
|
|
Tone.prototype.dispose.call(this);
|
|
this.dryWet.dispose();
|
|
this.dryWet = null;
|
|
this.effectSend.disconnect();
|
|
this.effectSend = null;
|
|
this.effectReturn.disconnect();
|
|
this.effectReturn = null;
|
|
this.wet = null;
|
|
return this;
|
|
};
|
|
|
|
return Tone.Effect;
|
|
}); |