Configurar a classe de jogadores

Em video_player.js, defina uma classe de wrapper do player de vídeo para iniciar e controlar o player do dash.js.

Configurar o player de banda larga

Para definir em que parte do app o player de banda larga será colocado, crie tags de vídeo e wrapper:

<div id="broadband-wrapper">
    <video id="broadband-video"></video>
</div>

Criar o player de vídeo

Inicialize a classe do player de vídeo com variáveis para elementos HTML, o player dash.js e callbacks que outros métodos de classe podem usar.

/**
 * Video player wrapper class to control ad creative playback with dash.js in
 * broadband.
 */
var VideoPlayer = function() {
  this.videoElement = document.querySelector('video');
  this.broadbandWrapper = document.getElementById('broadband-wrapper');
  this.player = dashjs.MediaPlayer().create();
  this.onAdPodEndedCallback = null;

  // Function passed in VideoPlayer.prototype.setEmsgEventHandler.
  this.onCustomEventHandler = null;
  //  Scope (this) passed in VideoPlayer.prototype.setEmsgEventHandler.
  this.customEventHandlerScope = null;

  // Function to remove all of player event listeners.
  this.cleanUpPlayerListener = null;
  debugView.log('Player: Creating dash.js player');
};

Definir as funções de controle de mídia

Para mostrar o player de anúncios e anexar a visualização de vídeo, crie o método VideoPlayer.play(). Em seguida, crie o método VideoPlayer.stop() para processar a limpeza após a conclusão dos conjuntos de anúncios.

/** Starts playback of ad stream. */
VideoPlayer.prototype.play = function() {
  debugView.log('Player: Start playback');
  this.show();
  this.player.attachView(this.videoElement);
};

/** Stops ad stream playback and deconstructs player. */
VideoPlayer.prototype.stop = function() {
  debugView.log('Player: Request to stop player');
  if (this.cleanUpPlayerListener) {
    this.cleanUpPlayerListener();
  }
  this.player.reset();
  this.player.attachView(null);
  this.player.attachSource(null);
  this.player = null;
  this.hide();
};

Pré-carregar o manifesto do fluxo de anúncios

Para garantir que os anúncios sejam carregados o suficiente durante o stream de conteúdo e antes do início do intervalo comercial, use VideoPlayer.preload() e VideoPlayer.isPreloaded().

1. Pré-carregar o fluxo de anúncios

Crie o método VideoPlayer.preload() para pré-carregar o manifesto do fluxo de anúncios e criar um buffer de anúncio antes de um intervalo de anúncio. Atualize as configurações de streaming do player 'cacheInitSegments' para true. Ao atualizar as configurações, você ativa o armazenamento em cache dos segmentos init, o que evita atrasos ao alternar para anúncios.

/**
 * Starts ad stream prefetching into Media Source Extensions (MSE) buffer.
 * @param {string} url manifest url for ad stream playback.
 */
VideoPlayer.prototype.preload = function(url) {
  if (!this.player) {
    this.player = dashjs.MediaPlayer().create();
  }
  debugView.log('Player: init with ' + url);
  this.player.initialize(/* HTMLVideoElement */ null, url, /* autoplay */ true);

  this.player.updateSettings({
    'debug': {
      'logLevel': dashjs.Debug.LOG_LEVEL_WARNING,
      'dispatchEvent': true,  // flip to false to hide all debug events.
    },
    'streaming': {
      'cacheInitSegments': true,
    }
  });
  this.player.preload();
  this.attachPlayerListener();
  debugView.log('Player: Pre-loading into MSE buffer');
};

2. Verificar o buffer de anúncio pré-carregado

Crie o método VideoPlayer.isPreloaded() para verificar se um buffer de anúncio suficiente foi pré-carregado em comparação com um limite de buffer definido no app:

// Ads will only play with 10 or more seconds of ad loaded.
var MIN_BUFFER_THRESHOLD = 10;
/**
 * Checks if the ad is preloaded and ready to play.
 * @return {boolean} whether the ad buffer level is sufficient.
 */
VideoPlayer.prototype.isPreloaded = function() {
  var currentBufferLevel = this.player.getDashMetrics()
      .getCurrentBufferLevel('video', true);
  return currentBufferLevel >= MIN_BUFFER_THRESHOLD;
};

Anexar listeners do player

Para adicionar listeners de eventos ao evento do player dash.js, crie o método VideoPlayer.attachPlayerListener(): PLAYBACK_PLAYING, PLAYBACK_ENDED, LOG e ERROR. Esse método também processa eventos do URI do ID do esquema, além de definir a função de limpeza para remover esses listeners.

var SCHEME_ID_URI = 'https://developer.apple.com/streaming/emsg-id3';
/** Attaches event listener for various dash.js events.*/
VideoPlayer.prototype.attachPlayerListener = function() {
  var playingHandler = function() {
    this.onAdPodPlaying();
  }.bind(this);
  this.player.on(dashjs.MediaPlayer.events['PLAYBACK_PLAYING'], playingHandler);
  var endedHandler = function() {
    this.onAdPodEnded();
  }.bind(this);
  this.player.on(dashjs.MediaPlayer.events['PLAYBACK_ENDED'], endedHandler);
  var logHandler = function(e) {
    this.onLog(e);
  }.bind(this);
  this.player.on(dashjs.MediaPlayer.events['LOG'], logHandler);
  var errorHandler = function(e) {
    this.onAdPodError(e);
  }.bind(this);
  this.player.on(dashjs.MediaPlayer.events['ERROR'], errorHandler);

  var customEventHandler = null;
  if (this.onCustomEventHandler) {
    customEventHandler =
        this.onCustomEventHandler.bind(this.customEventHandlerScope);
    this.player.on(SCHEME_ID_URI, customEventHandler);
  }

  this.cleanUpPlayerListener = function() {
    this.player.off(
        dashjs.MediaPlayer.events['PLAYBACK_PLAYING'], playingHandler);
    this.player.off(dashjs.MediaPlayer.events['PLAYBACK_ENDED'], endedHandler);
    this.player.off(dashjs.MediaPlayer.events['LOG'], logHandler);
    this.player.off(dashjs.MediaPlayer.events['ERROR'], errorHandler);
    if (customEventHandler) {
      this.player.off(SCHEME_ID_URI, customEventHandler);
    }
  };
};

Definir callbacks de eventos do player

Para gerenciar a reprodução do conjunto de anúncios com base nos eventos do player, crie os métodos VideoPlayer.onAdPodPlaying(), VideoPlayer.onAdPodEnded() e VideoPlayer.onAdPodError():

/**
 * Called when ad stream playback buffered and is playing.
 */
VideoPlayer.prototype.onAdPodPlaying = function() {
  debugView.log('Player: Ad Playback started');
};

/**
 * Called when ad stream playback has been completed.
 * Will call the restart of broadcast stream.
 */
VideoPlayer.prototype.onAdPodEnded = function() {
  debugView.log('Player: Ad Playback ended');
  this.stop();
  if (this.onAdPodEndedCallback) {
    this.onAdPodEndedCallback();
  }
};

/**
 * @param {!Event} event The error event to handle.
 */
VideoPlayer.prototype.onAdPodError = function(event) {
  debugView.log('Player: Ad Playback error from dash.js player.');
  this.stop();
  if (this.onAdPodEndedCallback) {
    this.onAdPodEndedCallback();
  }
};

Criar o setter para o evento onAdPodEnded

Crie o método VideoPlayer.setOnAdPodEnded() para definir uma função de callback que será executada quando um conjunto de anúncios terminar. A classe do app usa esse método para retomar a transmissão de conteúdo após intervalos de anúncios.

/**
 * Sets a callback function for when an ad pod has ended.
 * @param {!Function} callback Callback function.
 */
VideoPlayer.prototype.setOnAdPodEnded = function(callback) {
  this.onAdPodEndedCallback = callback;
};

Processar eventos de metadados do stream

Defina uma função de callback que seja executada com base nos eventos de emsg criando o método VideoPlayer.setEmsgEventHandler(). Para este guia, inclua o parâmetro scope, já que você evoca setEmsgEventHandler() fora de video_player.js.

/**
 * Sets emsg event handler.
 * @param {!Function} customEventHandler Event handler.
 * @param {!Object} scope JS scope in which event handler function is called.
 */
VideoPlayer.prototype.setEmsgEventHandler = function(
    customEventHandler, scope) {
  this.onCustomEventHandler = customEventHandler;
  this.customEventHandlerScope = scope;
};

Mostrar e ocultar o player de vídeo para intervalos de anúncios

Para mostrar o player de vídeo durante os intervalos de anúncio e ocultar o player após o término do intervalo, crie os métodos VideoPlayer.show() e VideoPlayer.hide():

/** Shows the video player. */
VideoPlayer.prototype.show = function() {
  debugView.log('Player: show');
  this.broadbandWrapper.style.display = 'block';
};

/** Hides the video player. */
VideoPlayer.prototype.hide = function() {
  debugView.log('Player: hide');
  this.broadbandWrapper.style.display = 'none';
};

Em seguida, crie uma classe do gerenciador de anúncios para usar o SDK do IMA e fazer uma solicitação de stream, receber um manifesto de bloco de anúncios, detectar eventos de stream do IMA e transmitir eventos emsg para o SDK do IMA.