2

我正在做一个在线音频播放器,所以我想在我的应用程序中集成Pitch Shifter ,它在Tone js上可用,但在Web Audio API中不可用......

所以我的想法是将Tonejs Pitch Shifter连接到Web Audio API 的 audioContext

有没有可能的方法?

这是我的参考代码

var audioCtx = new (window.AudioContext || window.webkitAudioContext);

var mediaElem = document.querySelector('audio');

var stream = audioCtx.createMediaElementSource(mediaElem);

var gainNode = audioCtx.createGain();

stream.connect(gainNode);

// tone js

var context = new Tone.Context(audioCtx); // Which is Mentioned in Tonejs Docs!

var pitchShift = new Tone.PitchShift().toMaster();

pitchShift.connect(gainNode);

// Gives Error!
gainNode.connect(audioCtx.destination);

4

1 回答 1

7

我猜你想实现这样的信号流:

mediaElement > gainNode > pitchShift > destination

要确保 Tone.js 使用相同的 AudioContext,您可以使用 Tone 对象上的设置器来分配它。这需要在使用 Tone.js 执行任何其他操作之前完成。

Tone.context = context;

Tone.js 还导出了一个帮助程序,可用于将本机 AudioNodes 连接到 Tone.js 提供的节点。

Tone.connect(gainNode, pitchShift);

我稍微修改了您的示例代码以合并更改。

var audioCtx = new (window.AudioContext || window.webkitAudioContext);
var mediaElem = document.querySelector('audio');
var stream = audioCtx.createMediaElementSource(mediaElem);
var gainNode = audioCtx.createGain();

// This a normal connection between to native AudioNodes.
stream.connect(gainNode);

// Set the context used by Tone.js
Tone.context = audioCtx;

var pitchShift = new Tone.PitchShift();

// Use the Tone.connect() helper to connect native AudioNodes with the nodes provided by Tone.js
Tone.connect(gainNode, pitchShift);
Tone.connect(pitchShift, audioCtx.destination);
于 2019-11-03T12:54:42.303 回答