createMediaElementSource

createMediaElementSource

我到处都在Google搜索这个问题,但找不到任何东西。
我处于一种需要删除source = createMediaElementSource以便重新创建的情况。我正在使用音频分析器,每次使用ajax加载指定的曲目时,该音频分析器都必须加载。一旦您转到另一页,然后返回,分析仪就不见了。因此,我需要以某种方式重新初始化它。

我的代码:

var analyserElement = document.getElementById('analyzer');
var canvas, ctx, source, context, analyser, fbc_array, bars, bar_x,
    bar_width, bar_height;

function analyzerSetElements() {
    var analyserElement = document.getElementById('analyzer');
}

function analyzerInitialize() {
    if (context == undefined) {
    context = new AudioContext();
    }
    analyser = context.createAnalyser();
    canvas = analyserElement;
    ctx = canvas.getContext('2d');
    source = context.createMediaElementSource(audio);
    source.connect(analyser);
    analyser.connect(context.destination);
    frameLooper();
}

function analyzerStop(){
    context = undefined;
    analyser = undefined;
    source = undefined;
}

function frameLooper() {
    canvas.width = canwidth;
    canvas.height = canheight;
    ctx.imageSmoothingEnabled = false;
    fbc_array = new Uint8Array(analyser.frequencyBinCount);
    analyser.getByteFrequencyData(fbc_array);
    ctx.clearRect(0, 0, canvas.width, canvas.height); // Clear the canvas
    ctx.fillStyle = "white"; // Color of the bars
    function valBetween(v, min, max) {
        return (Math.min(max, Math.max(min, v)));
    }
    var beatc = fbc_array[2] / 4;
    var beatround = Math.round(beatc);
    //if (beatround < 10) {
    //    ctx.globalAlpha = '0.1125';
    //}
    //else {
    //    ctx.globalAlpha = '0.' + beatround;
    //}
    bars = canbars;
    for (var i = 0; i < bars; i += canmultiplier) {
        bar_x = i * canspace;
        bar_width = 2;
        bar_height = -3 - (fbc_array[i] / 2);
        ctx.fillRect(bar_x, canvas.height, bar_width, bar_height);
    }
    window.requestAnimationFrame(frameLooper);
    console.log('Looped')
}

因此,当我在运行analyzerInitialize()之后运行analyzerStop()时,仍然出现此错误:



如何使analyzerInitialize()运行永远不会失败?

最佳答案

我也遇到过同样的问题。不幸的是,我没有找到如何从音频元素获取已经创建的MediaElementSourceNode的方法。不过,可以通过使用WeakMap记住MediaElementSourceNode来解决此问题:

var MEDIA_ELEMENT_NODES = new WeakMap();

function analyzerInitialize() {
  if (context == undefined) {
    context = new AudioContext();
  }
  analyser = context.createAnalyser();
  canvas = analyserElement;
  ctx = canvas.getContext('2d');
  if (MEDIA_ELEMENT_NODES.has(audio)) {
    source = MEDIA_ELEMENT_NODES.get(audio);
  } else {
    source = context.createMediaElementSource(audio);
    MEDIA_ELEMENT_NODES.set(audio, source);
  }
  source.connect(analyser);
  analyser.connect(context.destination);
  frameLooper();
}

通过使用WeakMap可以避免内存问题。

关于javascript - 删除createMediaElementSource,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/35492397/

10-09 13:14