invidious/assets/js/dash.mediaplayer.debug.js

48920 lines
1.7 MiB

(function e(t,n,r){function s(o,u){if(!n[o]){if(!t[o]){var a=typeof require=="function"&&require;if(!u&&a)return a(o,!0);if(i)return i(o,!0);var f=new Error("Cannot find module '"+o+"'");throw f.code="MODULE_NOT_FOUND",f}var l=n[o]={exports:{}};t[o][0].call(l.exports,function(e){var n=t[o][1][e];return s(n?n:e)},l,l.exports,e,t,n,r)}return n[o].exports}var i=typeof require=="function"&&require;for(var o=0;o<r.length;o++)s(r[o]);return s})({1:[function(_dereq_,module,exports){
/* $Date: 2007-06-12 18:02:31 $ */
// from: http://bannister.us/weblog/2007/06/09/simple-base64-encodedecode-javascript/
// Handles encode/decode of ASCII and Unicode strings.
'use strict';
var UTF8 = {};
UTF8.encode = function (s) {
var u = [];
for (var i = 0; i < s.length; ++i) {
var c = s.charCodeAt(i);
if (c < 0x80) {
u.push(c);
} else if (c < 0x800) {
u.push(0xC0 | c >> 6);
u.push(0x80 | 63 & c);
} else if (c < 0x10000) {
u.push(0xE0 | c >> 12);
u.push(0x80 | 63 & c >> 6);
u.push(0x80 | 63 & c);
} else {
u.push(0xF0 | c >> 18);
u.push(0x80 | 63 & c >> 12);
u.push(0x80 | 63 & c >> 6);
u.push(0x80 | 63 & c);
}
}
return u;
};
UTF8.decode = function (u) {
var a = [];
var i = 0;
while (i < u.length) {
var v = u[i++];
if (v < 0x80) {
// no need to mask byte
} else if (v < 0xE0) {
v = (31 & v) << 6;
v |= 63 & u[i++];
} else if (v < 0xF0) {
v = (15 & v) << 12;
v |= (63 & u[i++]) << 6;
v |= 63 & u[i++];
} else {
v = (7 & v) << 18;
v |= (63 & u[i++]) << 12;
v |= (63 & u[i++]) << 6;
v |= 63 & u[i++];
}
a.push(String.fromCharCode(v));
}
return a.join('');
};
var BASE64 = {};
(function (T) {
var encodeArray = function encodeArray(u) {
var i = 0;
var a = [];
var n = 0 | u.length / 3;
while (0 < n--) {
var v = (u[i] << 16) + (u[i + 1] << 8) + u[i + 2];
i += 3;
a.push(T.charAt(63 & v >> 18));
a.push(T.charAt(63 & v >> 12));
a.push(T.charAt(63 & v >> 6));
a.push(T.charAt(63 & v));
}
if (2 == u.length - i) {
var v = (u[i] << 16) + (u[i + 1] << 8);
a.push(T.charAt(63 & v >> 18));
a.push(T.charAt(63 & v >> 12));
a.push(T.charAt(63 & v >> 6));
a.push('=');
} else if (1 == u.length - i) {
var v = u[i] << 16;
a.push(T.charAt(63 & v >> 18));
a.push(T.charAt(63 & v >> 12));
a.push('==');
}
return a.join('');
};
var R = (function () {
var a = [];
for (var i = 0; i < T.length; ++i) {
a[T.charCodeAt(i)] = i;
}
a['='.charCodeAt(0)] = 0;
return a;
})();
var decodeArray = function decodeArray(s) {
var i = 0;
var u = [];
var n = 0 | s.length / 4;
while (0 < n--) {
var v = (R[s.charCodeAt(i)] << 18) + (R[s.charCodeAt(i + 1)] << 12) + (R[s.charCodeAt(i + 2)] << 6) + R[s.charCodeAt(i + 3)];
u.push(255 & v >> 16);
u.push(255 & v >> 8);
u.push(255 & v);
i += 4;
}
if (u) {
if ('=' == s.charAt(i - 2)) {
u.pop();
u.pop();
} else if ('=' == s.charAt(i - 1)) {
u.pop();
}
}
return u;
};
var ASCII = {};
ASCII.encode = function (s) {
var u = [];
for (var i = 0; i < s.length; ++i) {
u.push(s.charCodeAt(i));
}
return u;
};
ASCII.decode = function (u) {
for (var i = 0; i < s.length; ++i) {
a[i] = String.fromCharCode(a[i]);
}
return a.join('');
};
BASE64.decodeArray = function (s) {
var u = decodeArray(s);
return new Uint8Array(u);
};
BASE64.encodeASCII = function (s) {
var u = ASCII.encode(s);
return encodeArray(u);
};
BASE64.decodeASCII = function (s) {
var a = decodeArray(s);
return ASCII.decode(a);
};
BASE64.encode = function (s) {
var u = UTF8.encode(s);
return encodeArray(u);
};
BASE64.decode = function (s) {
var u = decodeArray(s);
return UTF8.decode(u);
};
})("ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/");
/*The following polyfills are not used in dash.js but have caused multiplayer integration issues.
Therefore commenting them out.
if (undefined === btoa) {
var btoa = BASE64.encode;
}
if (undefined === atob) {
var atob = BASE64.decode;
}
*/
if (typeof exports !== 'undefined') {
exports.decode = BASE64.decode;
exports.decodeArray = BASE64.decodeArray;
exports.encode = BASE64.encode;
exports.encodeASCII = BASE64.encodeASCII;
}
},{}],2:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2015-2016, DASH Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* 1. Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* 2. Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
(function (exports) {
"use strict";
/**
* Exceptions from regular ASCII. CodePoints are mapped to UTF-16 codes
*/
var specialCea608CharsCodes = {
0x2a: 0xe1, // lowercase a, acute accent
0x5c: 0xe9, // lowercase e, acute accent
0x5e: 0xed, // lowercase i, acute accent
0x5f: 0xf3, // lowercase o, acute accent
0x60: 0xfa, // lowercase u, acute accent
0x7b: 0xe7, // lowercase c with cedilla
0x7c: 0xf7, // division symbol
0x7d: 0xd1, // uppercase N tilde
0x7e: 0xf1, // lowercase n tilde
0x7f: 0x2588, // Full block
// THIS BLOCK INCLUDES THE 16 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS
// THAT COME FROM HI BYTE=0x11 AND LOW BETWEEN 0x30 AND 0x3F
// THIS MEANS THAT \x50 MUST BE ADDED TO THE VALUES
0x80: 0xae, // Registered symbol (R)
0x81: 0xb0, // degree sign
0x82: 0xbd, // 1/2 symbol
0x83: 0xbf, // Inverted (open) question mark
0x84: 0x2122, // Trademark symbol (TM)
0x85: 0xa2, // Cents symbol
0x86: 0xa3, // Pounds sterling
0x87: 0x266a, // Music 8'th note
0x88: 0xe0, // lowercase a, grave accent
0x89: 0x20, // transparent space (regular)
0x8a: 0xe8, // lowercase e, grave accent
0x8b: 0xe2, // lowercase a, circumflex accent
0x8c: 0xea, // lowercase e, circumflex accent
0x8d: 0xee, // lowercase i, circumflex accent
0x8e: 0xf4, // lowercase o, circumflex accent
0x8f: 0xfb, // lowercase u, circumflex accent
// THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS
// THAT COME FROM HI BYTE=0x12 AND LOW BETWEEN 0x20 AND 0x3F
0x90: 0xc1, // capital letter A with acute
0x91: 0xc9, // capital letter E with acute
0x92: 0xd3, // capital letter O with acute
0x93: 0xda, // capital letter U with acute
0x94: 0xdc, // capital letter U with diaresis
0x95: 0xfc, // lowercase letter U with diaeresis
0x96: 0x2018, // opening single quote
0x97: 0xa1, // inverted exclamation mark
0x98: 0x2a, // asterisk
0x99: 0x2019, // closing single quote
0x9a: 0x2501, // box drawings heavy horizontal
0x9b: 0xa9, // copyright sign
0x9c: 0x2120, // Service mark
0x9d: 0x2022, // (round) bullet
0x9e: 0x201c, // Left double quotation mark
0x9f: 0x201d, // Right double quotation mark
0xa0: 0xc0, // uppercase A, grave accent
0xa1: 0xc2, // uppercase A, circumflex
0xa2: 0xc7, // uppercase C with cedilla
0xa3: 0xc8, // uppercase E, grave accent
0xa4: 0xca, // uppercase E, circumflex
0xa5: 0xcb, // capital letter E with diaresis
0xa6: 0xeb, // lowercase letter e with diaresis
0xa7: 0xce, // uppercase I, circumflex
0xa8: 0xcf, // uppercase I, with diaresis
0xa9: 0xef, // lowercase i, with diaresis
0xaa: 0xd4, // uppercase O, circumflex
0xab: 0xd9, // uppercase U, grave accent
0xac: 0xf9, // lowercase u, grave accent
0xad: 0xdb, // uppercase U, circumflex
0xae: 0xab, // left-pointing double angle quotation mark
0xaf: 0xbb, // right-pointing double angle quotation mark
// THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS
// THAT COME FROM HI BYTE=0x13 AND LOW BETWEEN 0x20 AND 0x3F
0xb0: 0xc3, // Uppercase A, tilde
0xb1: 0xe3, // Lowercase a, tilde
0xb2: 0xcd, // Uppercase I, acute accent
0xb3: 0xcc, // Uppercase I, grave accent
0xb4: 0xec, // Lowercase i, grave accent
0xb5: 0xd2, // Uppercase O, grave accent
0xb6: 0xf2, // Lowercase o, grave accent
0xb7: 0xd5, // Uppercase O, tilde
0xb8: 0xf5, // Lowercase o, tilde
0xb9: 0x7b, // Open curly brace
0xba: 0x7d, // Closing curly brace
0xbb: 0x5c, // Backslash
0xbc: 0x5e, // Caret
0xbd: 0x5f, // Underscore
0xbe: 0x7c, // Pipe (vertical line)
0xbf: 0x223c, // Tilde operator
0xc0: 0xc4, // Uppercase A, umlaut
0xc1: 0xe4, // Lowercase A, umlaut
0xc2: 0xd6, // Uppercase O, umlaut
0xc3: 0xf6, // Lowercase o, umlaut
0xc4: 0xdf, // Esszett (sharp S)
0xc5: 0xa5, // Yen symbol
0xc6: 0xa4, // Generic currency sign
0xc7: 0x2503, // Box drawings heavy vertical
0xc8: 0xc5, // Uppercase A, ring
0xc9: 0xe5, // Lowercase A, ring
0xca: 0xd8, // Uppercase O, stroke
0xcb: 0xf8, // Lowercase o, strok
0xcc: 0x250f, // Box drawings heavy down and right
0xcd: 0x2513, // Box drawings heavy down and left
0xce: 0x2517, // Box drawings heavy up and right
0xcf: 0x251b // Box drawings heavy up and left
};
/**
* Get Unicode Character from CEA-608 byte code
*/
var getCharForByte = function getCharForByte(byte) {
var charCode = byte;
if (specialCea608CharsCodes.hasOwnProperty(byte)) {
charCode = specialCea608CharsCodes[byte];
}
return String.fromCharCode(charCode);
};
var NR_ROWS = 15,
NR_COLS = 32;
// Tables to look up row from PAC data
var rowsLowCh1 = { 0x11: 1, 0x12: 3, 0x15: 5, 0x16: 7, 0x17: 9, 0x10: 11, 0x13: 12, 0x14: 14 };
var rowsHighCh1 = { 0x11: 2, 0x12: 4, 0x15: 6, 0x16: 8, 0x17: 10, 0x13: 13, 0x14: 15 };
var rowsLowCh2 = { 0x19: 1, 0x1A: 3, 0x1D: 5, 0x1E: 7, 0x1F: 9, 0x18: 11, 0x1B: 12, 0x1C: 14 };
var rowsHighCh2 = { 0x19: 2, 0x1A: 4, 0x1D: 6, 0x1E: 8, 0x1F: 10, 0x1B: 13, 0x1C: 15 };
var backgroundColors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'black', 'transparent'];
/**
* Simple logger class to be able to write with time-stamps and filter on level.
*/
var logger = {
verboseFilter: { 'DATA': 3, 'DEBUG': 3, 'INFO': 2, 'WARNING': 2, 'TEXT': 1, 'ERROR': 0 },
time: null,
verboseLevel: 0, // Only write errors
setTime: function setTime(newTime) {
this.time = newTime;
},
log: function log(severity, msg) {
var minLevel = this.verboseFilter[severity];
if (this.verboseLevel >= minLevel) {
console.log(this.time + " [" + severity + "] " + msg);
}
}
};
var numArrayToHexArray = function numArrayToHexArray(numArray) {
var hexArray = [];
for (var j = 0; j < numArray.length; j++) {
hexArray.push(numArray[j].toString(16));
}
return hexArray;
};
/**
* State of CEA-608 pen or character
* @constructor
*/
var PenState = function PenState(foreground, underline, italics, background, flash) {
this.foreground = foreground || "white";
this.underline = underline || false;
this.italics = italics || false;
this.background = background || "black";
this.flash = flash || false;
};
PenState.prototype = {
reset: function reset() {
this.foreground = "white";
this.underline = false;
this.italics = false;
this.background = "black";
this.flash = false;
},
setStyles: function setStyles(styles) {
var attribs = ["foreground", "underline", "italics", "background", "flash"];
for (var i = 0; i < attribs.length; i++) {
var style = attribs[i];
if (styles.hasOwnProperty(style)) {
this[style] = styles[style];
}
}
},
isDefault: function isDefault() {
return this.foreground === "white" && !this.underline && !this.italics && this.background === "black" && !this.flash;
},
equals: function equals(other) {
return this.foreground === other.foreground && this.underline === other.underline && this.italics === other.italics && this.background === other.background && this.flash === other.flash;
},
copy: function copy(newPenState) {
this.foreground = newPenState.foreground;
this.underline = newPenState.underline;
this.italics = newPenState.italics;
this.background = newPenState.background;
this.flash = newPenState.flash;
},
toString: function toString() {
return "color=" + this.foreground + ", underline=" + this.underline + ", italics=" + this.italics + ", background=" + this.background + ", flash=" + this.flash;
}
};
/**
* Unicode character with styling and background.
* @constructor
*/
var StyledUnicodeChar = function StyledUnicodeChar(uchar, foreground, underline, italics, background, flash) {
this.uchar = uchar || ' '; // unicode character
this.penState = new PenState(foreground, underline, italics, background, flash);
};
StyledUnicodeChar.prototype = {
reset: function reset() {
this.uchar = ' ';
this.penState.reset();
},
setChar: function setChar(uchar, newPenState) {
this.uchar = uchar;
this.penState.copy(newPenState);
},
setPenState: function setPenState(newPenState) {
this.penState.copy(newPenState);
},
equals: function equals(other) {
return this.uchar === other.uchar && this.penState.equals(other.penState);
},
copy: function copy(newChar) {
this.uchar = newChar.uchar;
this.penState.copy(newChar.penState);
},
isEmpty: function isEmpty() {
return this.uchar === ' ' && this.penState.isDefault();
}
};
/**
* CEA-608 row consisting of NR_COLS instances of StyledUnicodeChar.
* @constructor
*/
var Row = function Row() {
this.chars = [];
for (var i = 0; i < NR_COLS; i++) {
this.chars.push(new StyledUnicodeChar());
}
this.pos = 0;
this.currPenState = new PenState();
};
Row.prototype = {
equals: function equals(other) {
var equal = true;
for (var i = 0; i < NR_COLS; i++) {
if (!this.chars[i].equals(other.chars[i])) {
equal = false;
break;
}
}
return equal;
},
copy: function copy(other) {
for (var i = 0; i < NR_COLS; i++) {
this.chars[i].copy(other.chars[i]);
}
},
isEmpty: function isEmpty() {
var empty = true;
for (var i = 0; i < NR_COLS; i++) {
if (!this.chars[i].isEmpty()) {
empty = false;
break;
}
}
return empty;
},
/**
* Set the cursor to a valid column.
*/
setCursor: function setCursor(absPos) {
if (this.pos !== absPos) {
this.pos = absPos;
}
if (this.pos < 0) {
logger.log("ERROR", "Negative cursor position " + this.pos);
this.pos = 0;
} else if (this.pos > NR_COLS) {
logger.log("ERROR", "Too large cursor position " + this.pos);
this.pos = NR_COLS;
}
},
/**
* Move the cursor relative to current position.
*/
moveCursor: function moveCursor(relPos) {
var newPos = this.pos + relPos;
if (relPos > 1) {
for (var i = this.pos + 1; i < newPos + 1; i++) {
this.chars[i].setPenState(this.currPenState);
}
}
this.setCursor(newPos);
},
/**
* Backspace, move one step back and clear character.
*/
backSpace: function backSpace() {
this.moveCursor(-1);
this.chars[this.pos].setChar(' ', this.currPenState);
},
insertChar: function insertChar(byte) {
if (byte >= 0x90) {
//Extended char
this.backSpace();
}
var char = getCharForByte(byte);
if (this.pos >= NR_COLS) {
logger.log("ERROR", "Cannot insert " + byte.toString(16) + " (" + char + ") at position " + this.pos + ". Skipping it!");
return;
}
this.chars[this.pos].setChar(char, this.currPenState);
this.moveCursor(1);
},
clearFromPos: function clearFromPos(startPos) {
var i;
for (i = startPos; i < NR_COLS; i++) {
this.chars[i].reset();
}
},
clear: function clear() {
this.clearFromPos(0);
this.pos = 0;
this.currPenState.reset();
},
clearToEndOfRow: function clearToEndOfRow() {
this.clearFromPos(this.pos);
},
getTextString: function getTextString() {
var chars = [];
var empty = true;
for (var i = 0; i < NR_COLS; i++) {
var char = this.chars[i].uchar;
if (char !== " ") {
empty = false;
}
chars.push(char);
}
if (empty) {
return "";
} else {
return chars.join("");
}
},
setPenStyles: function setPenStyles(styles) {
this.currPenState.setStyles(styles);
var currChar = this.chars[this.pos];
currChar.setPenState(this.currPenState);
}
};
/**
* Keep a CEA-608 screen of 32x15 styled characters
* @constructor
*/
var CaptionScreen = function CaptionScreen() {
this.rows = [];
for (var i = 0; i < NR_ROWS; i++) {
this.rows.push(new Row()); // Note that we use zero-based numbering (0-14)
}
this.currRow = NR_ROWS - 1;
this.nrRollUpRows = null;
this.reset();
};
CaptionScreen.prototype = {
reset: function reset() {
for (var i = 0; i < NR_ROWS; i++) {
this.rows[i].clear();
}
this.currRow = NR_ROWS - 1;
},
equals: function equals(other) {
var equal = true;
for (var i = 0; i < NR_ROWS; i++) {
if (!this.rows[i].equals(other.rows[i])) {
equal = false;
break;
}
}
return equal;
},
copy: function copy(other) {
for (var i = 0; i < NR_ROWS; i++) {
this.rows[i].copy(other.rows[i]);
}
},
isEmpty: function isEmpty() {
var empty = true;
for (var i = 0; i < NR_ROWS; i++) {
if (!this.rows[i].isEmpty()) {
empty = false;
break;
}
}
return empty;
},
backSpace: function backSpace() {
var row = this.rows[this.currRow];
row.backSpace();
},
clearToEndOfRow: function clearToEndOfRow() {
var row = this.rows[this.currRow];
row.clearToEndOfRow();
},
/**
* Insert a character (without styling) in the current row.
*/
insertChar: function insertChar(char) {
var row = this.rows[this.currRow];
row.insertChar(char);
},
setPen: function setPen(styles) {
var row = this.rows[this.currRow];
row.setPenStyles(styles);
},
moveCursor: function moveCursor(relPos) {
var row = this.rows[this.currRow];
row.moveCursor(relPos);
},
setCursor: function setCursor(absPos) {
logger.log("INFO", "setCursor: " + absPos);
var row = this.rows[this.currRow];
row.setCursor(absPos);
},
setPAC: function setPAC(pacData) {
logger.log("INFO", "pacData = " + JSON.stringify(pacData));
var newRow = pacData.row - 1;
if (this.nrRollUpRows && newRow < this.nrRollUpRows - 1) {
newRow = this.nrRollUpRows - 1;
}
this.currRow = newRow;
var row = this.rows[this.currRow];
if (pacData.indent !== null) {
var indent = pacData.indent;
var prevPos = Math.max(indent - 1, 0);
row.setCursor(pacData.indent);
pacData.color = row.chars[prevPos].penState.foreground;
}
var styles = { foreground: pacData.color, underline: pacData.underline, italics: pacData.italics, background: 'black', flash: false };
this.setPen(styles);
},
/**
* Set background/extra foreground, but first do back_space, and then insert space (backwards compatibility).
*/
setBkgData: function setBkgData(bkgData) {
logger.log("INFO", "bkgData = " + JSON.stringify(bkgData));
this.backSpace();
this.setPen(bkgData);
this.insertChar(0x20); //Space
},
setRollUpRows: function setRollUpRows(nrRows) {
this.nrRollUpRows = nrRows;
},
rollUp: function rollUp() {
if (this.nrRollUpRows === null) {
logger.log("DEBUG", "roll_up but nrRollUpRows not set yet");
return; //Not properly setup
}
logger.log("TEXT", this.getDisplayText());
var topRowIndex = this.currRow + 1 - this.nrRollUpRows;
var topRow = this.rows.splice(topRowIndex, 1)[0];
topRow.clear();
this.rows.splice(this.currRow, 0, topRow);
logger.log("INFO", "Rolling up");
//logger.log("TEXT", this.get_display_text())
},
/**
* Get all non-empty rows with as unicode text.
*/
getDisplayText: function getDisplayText(asOneRow) {
asOneRow = asOneRow || false;
var displayText = [];
var text = "";
var rowNr = -1;
for (var i = 0; i < NR_ROWS; i++) {
var rowText = this.rows[i].getTextString();
if (rowText) {
rowNr = i + 1;
if (asOneRow) {
displayText.push("Row " + rowNr + ': "' + rowText + '"');
} else {
displayText.push(rowText.trim());
}
}
}
if (displayText.length > 0) {
if (asOneRow) {
text = "[" + displayText.join(" | ") + "]";
} else {
text = displayText.join("\n");
}
}
return text;
},
getTextAndFormat: function getTextAndFormat() {
return this.rows;
}
};
/**
* Handle a CEA-608 channel and send decoded data to outputFilter
* @constructor
* @param {Number} channelNumber (1 or 2)
* @param {CueHandler} outputFilter Output from channel1 newCue(startTime, endTime, captionScreen)
*/
var Cea608Channel = function Cea608Channel(channelNumber, outputFilter) {
this.chNr = channelNumber;
this.outputFilter = outputFilter;
this.mode = null;
this.verbose = 0;
this.displayedMemory = new CaptionScreen();
this.nonDisplayedMemory = new CaptionScreen();
this.lastOutputScreen = new CaptionScreen();
this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1];
this.writeScreen = this.displayedMemory;
this.mode = null;
this.cueStartTime = null; // Keeps track of where a cue started.
};
Cea608Channel.prototype = {
modes: ["MODE_ROLL-UP", "MODE_POP-ON", "MODE_PAINT-ON", "MODE_TEXT"],
reset: function reset() {
this.mode = null;
this.displayedMemory.reset();
this.nonDisplayedMemory.reset();
this.lastOutputScreen.reset();
this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1];
this.writeScreen = this.displayedMemory;
this.mode = null;
this.cueStartTime = null;
this.lastCueEndTime = null;
},
getHandler: function getHandler() {
return this.outputFilter;
},
setHandler: function setHandler(newHandler) {
this.outputFilter = newHandler;
},
setPAC: function setPAC(pacData) {
this.writeScreen.setPAC(pacData);
},
setBkgData: function setBkgData(bkgData) {
this.writeScreen.setBkgData(bkgData);
},
setMode: function setMode(newMode) {
if (newMode === this.mode) {
return;
}
this.mode = newMode;
logger.log("INFO", "MODE=" + newMode);
if (this.mode == "MODE_POP-ON") {
this.writeScreen = this.nonDisplayedMemory;
} else {
this.writeScreen = this.displayedMemory;
this.writeScreen.reset();
}
if (this.mode !== "MODE_ROLL-UP") {
this.displayedMemory.nrRollUpRows = null;
this.nonDisplayedMemory.nrRollUpRows = null;
}
this.mode = newMode;
},
insertChars: function insertChars(chars) {
for (var i = 0; i < chars.length; i++) {
this.writeScreen.insertChar(chars[i]);
}
var screen = this.writeScreen === this.displayedMemory ? "DISP" : "NON_DISP";
logger.log("INFO", screen + ": " + this.writeScreen.getDisplayText(true));
if (this.mode === "MODE_PAINT-ON" || this.mode === "MODE_ROLL-UP") {
logger.log("TEXT", "DISPLAYED: " + this.displayedMemory.getDisplayText(true));
this.outputDataUpdate();
}
},
cc_RCL: function cc_RCL() {
// Resume Caption Loading (switch mode to Pop On)
logger.log("INFO", "RCL - Resume Caption Loading");
this.setMode("MODE_POP-ON");
},
cc_BS: function cc_BS() {
// BackSpace
logger.log("INFO", "BS - BackSpace");
if (this.mode === "MODE_TEXT") {
return;
}
this.writeScreen.backSpace();
if (this.writeScreen === this.displayedMemory) {
this.outputDataUpdate();
}
},
cc_AOF: function cc_AOF() {
// Reserved (formerly Alarm Off)
return;
},
cc_AON: function cc_AON() {
// Reserved (formerly Alarm On)
return;
},
cc_DER: function cc_DER() {
// Delete to End of Row
logger.log("INFO", "DER- Delete to End of Row");
this.writeScreen.clearToEndOfRow();
this.outputDataUpdate();
},
cc_RU: function cc_RU(nrRows) {
//Roll-Up Captions-2,3,or 4 Rows
logger.log("INFO", "RU(" + nrRows + ") - Roll Up");
this.writeScreen = this.displayedMemory;
this.setMode("MODE_ROLL-UP");
this.writeScreen.setRollUpRows(nrRows);
},
cc_FON: function cc_FON() {
//Flash On
logger.log("INFO", "FON - Flash On");
this.writeScreen.setPen({ flash: true });
},
cc_RDC: function cc_RDC() {
// Resume Direct Captioning (switch mode to PaintOn)
logger.log("INFO", "RDC - Resume Direct Captioning");
this.setMode("MODE_PAINT-ON");
},
cc_TR: function cc_TR() {
// Text Restart in text mode (not supported, however)
logger.log("INFO", "TR");
this.setMode("MODE_TEXT");
},
cc_RTD: function cc_RTD() {
// Resume Text Display in Text mode (not supported, however)
logger.log("INFO", "RTD");
this.setMode("MODE_TEXT");
},
cc_EDM: function cc_EDM() {
// Erase Displayed Memory
logger.log("INFO", "EDM - Erase Displayed Memory");
this.displayedMemory.reset();
this.outputDataUpdate();
},
cc_CR: function cc_CR() {
// Carriage Return
logger.log("CR - Carriage Return");
this.writeScreen.rollUp();
this.outputDataUpdate();
},
cc_ENM: function cc_ENM() {
//Erase Non-Displayed Memory
logger.log("INFO", "ENM - Erase Non-displayed Memory");
this.nonDisplayedMemory.reset();
},
cc_EOC: function cc_EOC() {
//End of Caption (Flip Memories)
logger.log("INFO", "EOC - End Of Caption");
if (this.mode === "MODE_POP-ON") {
var tmp = this.displayedMemory;
this.displayedMemory = this.nonDisplayedMemory;
this.nonDisplayedMemory = tmp;
this.writeScreen = this.nonDisplayedMemory;
logger.log("TEXT", "DISP: " + this.displayedMemory.getDisplayText());
}
this.outputDataUpdate();
},
cc_TO: function cc_TO(nrCols) {
// Tab Offset 1,2, or 3 columns
logger.log("INFO", "TO(" + nrCols + ") - Tab Offset");
this.writeScreen.moveCursor(nrCols);
},
cc_MIDROW: function cc_MIDROW(secondByte) {
// Parse MIDROW command
var styles = { flash: false };
styles.underline = secondByte % 2 === 1;
styles.italics = secondByte >= 0x2e;
if (!styles.italics) {
var colorIndex = Math.floor(secondByte / 2) - 0x10;
var colors = ["white", "green", "blue", "cyan", "red", "yellow", "magenta"];
styles.foreground = colors[colorIndex];
} else {
styles.foreground = "white";
}
logger.log("INFO", "MIDROW: " + JSON.stringify(styles));
this.writeScreen.setPen(styles);
},
outputDataUpdate: function outputDataUpdate() {
var t = logger.time;
if (t === null) {
return;
}
if (this.outputFilter) {
if (this.outputFilter.updateData) {
this.outputFilter.updateData(t, this.displayedMemory);
}
if (this.cueStartTime === null && !this.displayedMemory.isEmpty()) {
// Start of a new cue
this.cueStartTime = t;
} else {
if (!this.displayedMemory.equals(this.lastOutputScreen)) {
if (this.outputFilter.newCue) {
this.outputFilter.newCue(this.cueStartTime, t, this.lastOutputScreen);
}
this.cueStartTime = this.displayedMemory.isEmpty() ? null : t;
}
}
this.lastOutputScreen.copy(this.displayedMemory);
}
},
cueSplitAtTime: function cueSplitAtTime(t) {
if (this.outputFilter) {
if (!this.displayedMemory.isEmpty()) {
if (this.outputFilter.newCue) {
this.outputFilter.newCue(this.cueStartTime, t, this.displayedMemory);
}
this.cueStartTime = t;
}
}
}
};
/**
* Parse CEA-608 data and send decoded data to out1 and out2.
* @constructor
* @param {Number} field CEA-608 field (1 or 2)
* @param {CueHandler} out1 Output from channel1 newCue(startTime, endTime, captionScreen)
* @param {CueHandler} out2 Output from channel2 newCue(startTime, endTime, captionScreen)
*/
var Cea608Parser = function Cea608Parser(field, out1, out2) {
this.field = field || 1;
this.outputs = [out1, out2];
this.channels = [new Cea608Channel(1, out1), new Cea608Channel(2, out2)];
this.currChNr = -1; // Will be 1 or 2
this.lastCmdA = null; // First byte of last command
this.lastCmdB = null; // Second byte of last command
this.bufferedData = [];
this.startTime = null;
this.lastTime = null;
this.dataCounters = { 'padding': 0, 'char': 0, 'cmd': 0, 'other': 0 };
};
Cea608Parser.prototype = {
getHandler: function getHandler(index) {
return this.channels[index].getHandler();
},
setHandler: function setHandler(index, newHandler) {
this.channels[index].setHandler(newHandler);
},
/**
* Add data for time t in forms of list of bytes (unsigned ints). The bytes are treated as pairs.
*/
addData: function addData(t, byteList) {
var cmdFound,
a,
b,
charsFound = false;
this.lastTime = t;
logger.setTime(t);
for (var i = 0; i < byteList.length; i += 2) {
a = byteList[i] & 0x7f;
b = byteList[i + 1] & 0x7f;
if (a >= 0x10 && a <= 0x1f && a === this.lastCmdA && b === this.lastCmdB) {
this.lastCmdA = null;
this.lastCmdB = null;
logger.log("DEBUG", "Repeated command (" + numArrayToHexArray([a, b]) + ") is dropped");
continue; // Repeated commands are dropped (once)
}
if (a === 0 && b === 0) {
this.dataCounters.padding += 2;
continue;
} else {
logger.log("DATA", "[" + numArrayToHexArray([byteList[i], byteList[i + 1]]) + "] -> (" + numArrayToHexArray([a, b]) + ")");
}
cmdFound = this.parseCmd(a, b);
if (!cmdFound) {
cmdFound = this.parseMidrow(a, b);
}
if (!cmdFound) {
cmdFound = this.parsePAC(a, b);
}
if (!cmdFound) {
cmdFound = this.parseBackgroundAttributes(a, b);
}
if (!cmdFound) {
charsFound = this.parseChars(a, b);
if (charsFound) {
if (this.currChNr && this.currChNr >= 0) {
var channel = this.channels[this.currChNr - 1];
channel.insertChars(charsFound);
} else {
logger.log("WARNING", "No channel found yet. TEXT-MODE?");
}
}
}
if (cmdFound) {
this.dataCounters.cmd += 2;
} else if (charsFound) {
this.dataCounters.char += 2;
} else {
this.dataCounters.other += 2;
logger.log("WARNING", "Couldn't parse cleaned data " + numArrayToHexArray([a, b]) + " orig: " + numArrayToHexArray([byteList[i], byteList[i + 1]]));
}
}
},
/**
* Parse Command.
* @returns {Boolean} Tells if a command was found
*/
parseCmd: function parseCmd(a, b) {
var chNr = null;
var cond1 = (a === 0x14 || a === 0x15 || a === 0x1C || a === 0x1D) && 0x20 <= b && b <= 0x2F;
var cond2 = (a === 0x17 || a === 0x1F) && 0x21 <= b && b <= 0x23;
if (!(cond1 || cond2)) {
return false;
}
if (a === 0x14 || a === 0x15 || a === 0x17) {
chNr = 1;
} else {
chNr = 2; // (a === 0x1C || a === 0x1D || a=== 0x1f)
}
var channel = this.channels[chNr - 1];
if (a === 0x14 || a === 0x15 || a === 0x1C || a === 0x1D) {
if (b === 0x20) {
channel.cc_RCL();
} else if (b === 0x21) {
channel.cc_BS();
} else if (b === 0x22) {
channel.cc_AOF();
} else if (b === 0x23) {
channel.cc_AON();
} else if (b === 0x24) {
channel.cc_DER();
} else if (b === 0x25) {
channel.cc_RU(2);
} else if (b === 0x26) {
channel.cc_RU(3);
} else if (b === 0x27) {
channel.cc_RU(4);
} else if (b === 0x28) {
channel.cc_FON();
} else if (b === 0x29) {
channel.cc_RDC();
} else if (b === 0x2A) {
channel.cc_TR();
} else if (b === 0x2B) {
channel.cc_RTD();
} else if (b === 0x2C) {
channel.cc_EDM();
} else if (b === 0x2D) {
channel.cc_CR();
} else if (b === 0x2E) {
channel.cc_ENM();
} else if (b === 0x2F) {
channel.cc_EOC();
}
} else {
//a == 0x17 || a == 0x1F
channel.cc_TO(b - 0x20);
}
this.lastCmdA = a;
this.lastCmdB = b;
this.currChNr = chNr;
return true;
},
/**
* Parse midrow styling command
* @returns {Boolean}
*/
parseMidrow: function parseMidrow(a, b) {
var chNr = null;
if ((a === 0x11 || a === 0x19) && 0x20 <= b && b <= 0x2f) {
if (a === 0x11) {
chNr = 1;
} else {
chNr = 2;
}
if (chNr !== this.currChNr) {
logger.log("ERROR", "Mismatch channel in midrow parsing");
return false;
}
var channel = this.channels[chNr - 1];
// cea608 spec says midrow codes should inject a space
channel.insertChars([0x20]);
channel.cc_MIDROW(b);
logger.log("DEBUG", "MIDROW (" + numArrayToHexArray([a, b]) + ")");
this.lastCmdA = a;
this.lastCmdB = b;
return true;
}
return false;
},
/**
* Parse Preable Access Codes (Table 53).
* @returns {Boolean} Tells if PAC found
*/
parsePAC: function parsePAC(a, b) {
var chNr = null;
var row = null;
var case1 = (0x11 <= a && a <= 0x17 || 0x19 <= a && a <= 0x1F) && 0x40 <= b && b <= 0x7F;
var case2 = (a === 0x10 || a === 0x18) && 0x40 <= b && b <= 0x5F;
if (!(case1 || case2)) {
return false;
}
chNr = a <= 0x17 ? 1 : 2;
if (0x40 <= b && b <= 0x5F) {
row = chNr === 1 ? rowsLowCh1[a] : rowsLowCh2[a];
} else {
// 0x60 <= b <= 0x7F
row = chNr === 1 ? rowsHighCh1[a] : rowsHighCh2[a];
}
var pacData = this.interpretPAC(row, b);
var channel = this.channels[chNr - 1];
channel.setPAC(pacData);
this.lastCmdA = a;
this.lastCmdB = b;
this.currChNr = chNr;
return true;
},
/**
* Interpret the second byte of the pac, and return the information.
* @returns {Object} pacData with style parameters.
*/
interpretPAC: function interpretPAC(row, byte) {
var pacIndex = byte;
var pacData = { color: null, italics: false, indent: null, underline: false, row: row };
if (byte > 0x5F) {
pacIndex = byte - 0x60;
} else {
pacIndex = byte - 0x40;
}
pacData.underline = (pacIndex & 1) === 1;
if (pacIndex <= 0xd) {
pacData.color = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'white'][Math.floor(pacIndex / 2)];
} else if (pacIndex <= 0xf) {
pacData.italics = true;
pacData.color = 'white';
} else {
pacData.indent = Math.floor((pacIndex - 0x10) / 2) * 4;
}
return pacData; // Note that row has zero offset. The spec uses 1.
},
/**
* Parse characters.
* @returns An array with 1 to 2 codes corresponding to chars, if found. null otherwise.
*/
parseChars: function parseChars(a, b) {
var channelNr = null,
charCodes = null,
charCode1 = null,
charCode2 = null;
if (a >= 0x19) {
channelNr = 2;
charCode1 = a - 8;
} else {
channelNr = 1;
charCode1 = a;
}
if (0x11 <= charCode1 && charCode1 <= 0x13) {
// Special character
var oneCode = b;
if (charCode1 === 0x11) {
oneCode = b + 0x50;
} else if (charCode1 === 0x12) {
oneCode = b + 0x70;
} else {
oneCode = b + 0x90;
}
logger.log("INFO", "Special char '" + getCharForByte(oneCode) + "' in channel " + channelNr);
charCodes = [oneCode];
this.lastCmdA = a;
this.lastCmdB = b;
} else if (0x20 <= a && a <= 0x7f) {
charCodes = b === 0 ? [a] : [a, b];
this.lastCmdA = null;
this.lastCmdB = null;
}
if (charCodes) {
var hexCodes = numArrayToHexArray(charCodes);
logger.log("DEBUG", "Char codes = " + hexCodes.join(","));
}
return charCodes;
},
/**
* Parse extended background attributes as well as new foreground color black.
* @returns{Boolean} Tells if background attributes are found
*/
parseBackgroundAttributes: function parseBackgroundAttributes(a, b) {
var bkgData, index, chNr, channel;
var case1 = (a === 0x10 || a === 0x18) && 0x20 <= b && b <= 0x2f;
var case2 = (a === 0x17 || a === 0x1f) && 0x2d <= b && b <= 0x2f;
if (!(case1 || case2)) {
return false;
}
bkgData = {};
if (a === 0x10 || a === 0x18) {
index = Math.floor((b - 0x20) / 2);
bkgData.background = backgroundColors[index];
if (b % 2 === 1) {
bkgData.background = bkgData.background + "_semi";
}
} else if (b === 0x2d) {
bkgData.background = "transparent";
} else {
bkgData.foreground = "black";
if (b === 0x2f) {
bkgData.underline = true;
}
}
chNr = a < 0x18 ? 1 : 2;
channel = this.channels[chNr - 1];
channel.setBkgData(bkgData);
this.lastCmdA = a;
this.lastCmdB = b;
return true;
},
/**
* Reset state of parser and its channels.
*/
reset: function reset() {
for (var i = 0; i < this.channels.length; i++) {
if (this.channels[i]) {
this.channels[i].reset();
}
}
this.lastCmdA = null;
this.lastCmdB = null;
},
/**
* Trigger the generation of a cue, and the start of a new one if displayScreens are not empty.
*/
cueSplitAtTime: function cueSplitAtTime(t) {
for (var i = 0; i < this.channels.length; i++) {
if (this.channels[i]) {
this.channels[i].cueSplitAtTime(t);
}
}
}
};
/**
* Find ranges corresponding to SEA CEA-608 NALUS in sizeprepended NALU array.
* @param {raw} dataView of binary data
* @param {startPos} start position in raw
* @param {size} total size of data in raw to consider
* @returns
*/
var findCea608Nalus = function findCea608Nalus(raw, startPos, size) {
var nalSize = 0,
cursor = startPos,
nalType = 0,
cea608NaluRanges = [],
// Check SEI data according to ANSI-SCTE 128
isCEA608SEI = function isCEA608SEI(payloadType, payloadSize, raw, pos) {
if (payloadType !== 4 || payloadSize < 8) {
return null;
}
var countryCode = raw.getUint8(pos);
var providerCode = raw.getUint16(pos + 1);
var userIdentifier = raw.getUint32(pos + 3);
var userDataTypeCode = raw.getUint8(pos + 7);
return countryCode == 0xB5 && providerCode == 0x31 && userIdentifier == 0x47413934 && userDataTypeCode == 0x3;
};
while (cursor < startPos + size) {
nalSize = raw.getUint32(cursor);
nalType = raw.getUint8(cursor + 4) & 0x1F;
//console.log(time + " NAL " + nalType);
if (nalType === 6) {
// SEI NAL Unit. The NAL header is the first byte
//console.log("SEI NALU of size " + nalSize + " at time " + time);
var pos = cursor + 5;
var payloadType = -1;
while (pos < cursor + 4 + nalSize - 1) {
// The last byte should be rbsp_trailing_bits
payloadType = 0;
var b = 0xFF;
while (b === 0xFF) {
b = raw.getUint8(pos);
payloadType += b;
pos++;
}
var payloadSize = 0;
b = 0xFF;
while (b === 0xFF) {
b = raw.getUint8(pos);
payloadSize += b;
pos++;
}
if (isCEA608SEI(payloadType, payloadSize, raw, pos)) {
//console.log("CEA608 SEI " + time + " " + payloadSize);
cea608NaluRanges.push([pos, payloadSize]);
}
pos += payloadSize;
}
}
cursor += nalSize + 4;
}
return cea608NaluRanges;
};
var extractCea608DataFromRange = function extractCea608DataFromRange(raw, cea608Range) {
var pos = cea608Range[0];
var fieldData = [[], []];
pos += 8; // Skip the identifier up to userDataTypeCode
var ccCount = raw.getUint8(pos) & 0x1f;
pos += 2; // Advance 1 and skip reserved byte
for (var i = 0; i < ccCount; i++) {
var byte = raw.getUint8(pos);
var ccValid = byte & 0x4;
var ccType = byte & 0x3;
pos++;
var ccData1 = raw.getUint8(pos); // Keep parity bit
pos++;
var ccData2 = raw.getUint8(pos); // Keep parity bit
pos++;
if (ccValid && (ccData1 & 0x7f) + (ccData2 & 0x7f) !== 0) {
//Check validity and non-empty data
if (ccType === 0) {
fieldData[0].push(ccData1);
fieldData[0].push(ccData2);
} else if (ccType === 1) {
fieldData[1].push(ccData1);
fieldData[1].push(ccData2);
}
}
}
return fieldData;
};
exports.logger = logger;
exports.PenState = PenState;
exports.CaptionScreen = CaptionScreen;
exports.Cea608Parser = Cea608Parser;
exports.findCea608Nalus = findCea608Nalus;
exports.extractCea608DataFromRange = extractCea608DataFromRange;
})(typeof exports === 'undefined' ? undefined.cea608parser = {} : exports);
},{}],3:[function(_dereq_,module,exports){
/*
Copyright 2011-2013 Abdulla Abdurakhmanov
Original sources are available at https://code.google.com/p/x2js/
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
/*
Further modified for dashjs to:
- keep track of children nodes in order in attribute __children.
- add type conversion matchers
- re-add ignoreRoot
- allow zero-length attributePrefix
- don't add white-space text nodes
- remove explicit RequireJS support
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function X2JS(config) {
'use strict';
var VERSION = "1.2.0";
config = config || {};
initConfigDefaults();
initRequiredPolyfills();
function initConfigDefaults() {
if (config.escapeMode === undefined) {
config.escapeMode = true;
}
if (config.attributePrefix === undefined) {
config.attributePrefix = "_";
}
config.arrayAccessForm = config.arrayAccessForm || "none";
config.emptyNodeForm = config.emptyNodeForm || "text";
if (config.enableToStringFunc === undefined) {
config.enableToStringFunc = true;
}
config.arrayAccessFormPaths = config.arrayAccessFormPaths || [];
if (config.skipEmptyTextNodesForObj === undefined) {
config.skipEmptyTextNodesForObj = true;
}
if (config.stripWhitespaces === undefined) {
config.stripWhitespaces = true;
}
config.datetimeAccessFormPaths = config.datetimeAccessFormPaths || [];
if (config.useDoubleQuotes === undefined) {
config.useDoubleQuotes = false;
}
config.xmlElementsFilter = config.xmlElementsFilter || [];
config.jsonPropertiesFilter = config.jsonPropertiesFilter || [];
if (config.keepCData === undefined) {
config.keepCData = false;
}
if (config.ignoreRoot === undefined) {
config.ignoreRoot = false;
}
}
var DOMNodeTypes = {
ELEMENT_NODE: 1,
TEXT_NODE: 3,
CDATA_SECTION_NODE: 4,
COMMENT_NODE: 8,
DOCUMENT_NODE: 9
};
function initRequiredPolyfills() {}
function getNodeLocalName(node) {
var nodeLocalName = node.localName;
if (nodeLocalName == null) // Yeah, this is IE!!
nodeLocalName = node.baseName;
if (nodeLocalName == null || nodeLocalName == "") // =="" is IE too
nodeLocalName = node.nodeName;
return nodeLocalName;
}
function getNodePrefix(node) {
return node.prefix;
}
function escapeXmlChars(str) {
if (typeof str == "string") return str.replace(/&/g, '&amp;').replace(/</g, '&lt;').replace(/>/g, '&gt;').replace(/"/g, '&quot;').replace(/'/g, '&apos;');else return str;
}
function unescapeXmlChars(str) {
return str.replace(/&lt;/g, '<').replace(/&gt;/g, '>').replace(/&quot;/g, '"').replace(/&apos;/g, "'").replace(/&amp;/g, '&');
}
function checkInStdFiltersArrayForm(stdFiltersArrayForm, obj, name, path) {
var idx = 0;
for (; idx < stdFiltersArrayForm.length; idx++) {
var filterPath = stdFiltersArrayForm[idx];
if (typeof filterPath === "string") {
if (filterPath == path) break;
} else if (filterPath instanceof RegExp) {
if (filterPath.test(path)) break;
} else if (typeof filterPath === "function") {
if (filterPath(obj, name, path)) break;
}
}
return idx != stdFiltersArrayForm.length;
}
function toArrayAccessForm(obj, childName, path) {
switch (config.arrayAccessForm) {
case "property":
if (!(obj[childName] instanceof Array)) obj[childName + "_asArray"] = [obj[childName]];else obj[childName + "_asArray"] = obj[childName];
break;
/*case "none":
break;*/
}
if (!(obj[childName] instanceof Array) && config.arrayAccessFormPaths.length > 0) {
if (checkInStdFiltersArrayForm(config.arrayAccessFormPaths, obj, childName, path)) {
obj[childName] = [obj[childName]];
}
}
}
function fromXmlDateTime(prop) {
// Implementation based up on http://stackoverflow.com/questions/8178598/xml-datetime-to-javascript-date-object
// Improved to support full spec and optional parts
var bits = prop.split(/[-T:+Z]/g);
var d = new Date(bits[0], bits[1] - 1, bits[2]);
var secondBits = bits[5].split("\.");
d.setHours(bits[3], bits[4], secondBits[0]);
if (secondBits.length > 1) d.setMilliseconds(secondBits[1]);
// Get supplied time zone offset in minutes
if (bits[6] && bits[7]) {
var offsetMinutes = bits[6] * 60 + Number(bits[7]);
var sign = /\d\d-\d\d:\d\d$/.test(prop) ? '-' : '+';
// Apply the sign
offsetMinutes = 0 + (sign == '-' ? -1 * offsetMinutes : offsetMinutes);
// Apply offset and local timezone
d.setMinutes(d.getMinutes() - offsetMinutes - d.getTimezoneOffset());
} else if (prop.indexOf("Z", prop.length - 1) !== -1) {
d = new Date(Date.UTC(d.getFullYear(), d.getMonth(), d.getDate(), d.getHours(), d.getMinutes(), d.getSeconds(), d.getMilliseconds()));
}
// d is now a local time equivalent to the supplied time
return d;
}
function checkFromXmlDateTimePaths(value, childName, fullPath) {
if (config.datetimeAccessFormPaths.length > 0) {
var path = fullPath.split("\.#")[0];
if (checkInStdFiltersArrayForm(config.datetimeAccessFormPaths, value, childName, path)) {
return fromXmlDateTime(value);
} else return value;
} else return value;
}
function checkXmlElementsFilter(obj, childType, childName, childPath) {
if (childType == DOMNodeTypes.ELEMENT_NODE && config.xmlElementsFilter.length > 0) {
return checkInStdFiltersArrayForm(config.xmlElementsFilter, obj, childName, childPath);
} else return true;
}
function parseDOMChildren(node, path) {
if (node.nodeType == DOMNodeTypes.DOCUMENT_NODE) {
var result = new Object();
var nodeChildren = node.childNodes;
// Alternative for firstElementChild which is not supported in some environments
for (var cidx = 0; cidx < nodeChildren.length; cidx++) {
var child = nodeChildren[cidx];
if (child.nodeType == DOMNodeTypes.ELEMENT_NODE) {
if (config.ignoreRoot) {
result = parseDOMChildren(child);
} else {
result = {};
var childName = getNodeLocalName(child);
result[childName] = parseDOMChildren(child);
}
}
}
return result;
} else if (node.nodeType == DOMNodeTypes.ELEMENT_NODE) {
var result = new Object();
result.__cnt = 0;
var children = [];
var nodeChildren = node.childNodes;
// Children nodes
for (var cidx = 0; cidx < nodeChildren.length; cidx++) {
var child = nodeChildren[cidx];
var childName = getNodeLocalName(child);
if (child.nodeType != DOMNodeTypes.COMMENT_NODE) {
var childPath = path + "." + childName;
if (checkXmlElementsFilter(result, child.nodeType, childName, childPath)) {
result.__cnt++;
if (result[childName] == null) {
var c = parseDOMChildren(child, childPath);
if (childName != "#text" || /[^\s]/.test(c)) {
var o = {};
o[childName] = c;
children.push(o);
}
result[childName] = c;
toArrayAccessForm(result, childName, childPath);
} else {
if (result[childName] != null) {
if (!(result[childName] instanceof Array)) {
result[childName] = [result[childName]];
toArrayAccessForm(result, childName, childPath);
}
}
var c = parseDOMChildren(child, childPath);
if (childName != "#text" || /[^\s]/.test(c)) {
// Don't add white-space text nodes
var o = {};
o[childName] = c;
children.push(o);
}
result[childName][result[childName].length] = c;
}
}
}
}
result.__children = children;
// Attributes
var nodeLocalName = getNodeLocalName(node);
for (var aidx = 0; aidx < node.attributes.length; aidx++) {
var attr = node.attributes[aidx];
result.__cnt++;
var value2 = attr.value;
for (var m = 0, ml = config.matchers.length; m < ml; m++) {
var matchobj = config.matchers[m];
if (matchobj.test(attr, nodeLocalName)) value2 = matchobj.converter(attr.value);
}
result[config.attributePrefix + attr.name] = value2;
}
// Node namespace prefix
var nodePrefix = getNodePrefix(node);
if (nodePrefix != null && nodePrefix != "") {
result.__cnt++;
result.__prefix = nodePrefix;
}
if (result["#text"] != null) {
result.__text = result["#text"];
if (result.__text instanceof Array) {
result.__text = result.__text.join("\n");
}
//if(config.escapeMode)
// result.__text = unescapeXmlChars(result.__text);
if (config.stripWhitespaces) result.__text = result.__text.trim();
delete result["#text"];
if (config.arrayAccessForm == "property") delete result["#text_asArray"];
result.__text = checkFromXmlDateTimePaths(result.__text, childName, path + "." + childName);
}
if (result["#cdata-section"] != null) {
result.__cdata = result["#cdata-section"];
delete result["#cdata-section"];
if (config.arrayAccessForm == "property") delete result["#cdata-section_asArray"];
}
if (result.__cnt == 0 && config.emptyNodeForm == "text") {
result = '';
} else if (result.__cnt == 1 && result.__text != null) {
result = result.__text;
} else if (result.__cnt == 1 && result.__cdata != null && !config.keepCData) {
result = result.__cdata;
} else if (result.__cnt > 1 && result.__text != null && config.skipEmptyTextNodesForObj) {
if (config.stripWhitespaces && result.__text == "" || result.__text.trim() == "") {
delete result.__text;
}
}
delete result.__cnt;
if (config.enableToStringFunc && (result.__text != null || result.__cdata != null)) {
result.toString = function () {
return (this.__text != null ? this.__text : '') + (this.__cdata != null ? this.__cdata : '');
};
}
return result;
} else if (node.nodeType == DOMNodeTypes.TEXT_NODE || node.nodeType == DOMNodeTypes.CDATA_SECTION_NODE) {
return node.nodeValue;
}
}
function startTag(jsonObj, element, attrList, closed) {
var resultStr = "<" + (jsonObj != null && jsonObj.__prefix != null ? jsonObj.__prefix + ":" : "") + element;
if (attrList != null) {
for (var aidx = 0; aidx < attrList.length; aidx++) {
var attrName = attrList[aidx];
var attrVal = jsonObj[attrName];
if (config.escapeMode) attrVal = escapeXmlChars(attrVal);
resultStr += " " + attrName.substr(config.attributePrefix.length) + "=";
if (config.useDoubleQuotes) resultStr += '"' + attrVal + '"';else resultStr += "'" + attrVal + "'";
}
}
if (!closed) resultStr += ">";else resultStr += "/>";
return resultStr;
}
function endTag(jsonObj, elementName) {
return "</" + (jsonObj.__prefix != null ? jsonObj.__prefix + ":" : "") + elementName + ">";
}
function endsWith(str, suffix) {
return str.indexOf(suffix, str.length - suffix.length) !== -1;
}
function jsonXmlSpecialElem(jsonObj, jsonObjField) {
if (config.arrayAccessForm == "property" && endsWith(jsonObjField.toString(), "_asArray") || jsonObjField.toString().indexOf(config.attributePrefix) == 0 || jsonObjField.toString().indexOf("__") == 0 || jsonObj[jsonObjField] instanceof Function) return true;else return false;
}
function jsonXmlElemCount(jsonObj) {
var elementsCnt = 0;
if (jsonObj instanceof Object) {
for (var it in jsonObj) {
if (jsonXmlSpecialElem(jsonObj, it)) continue;
elementsCnt++;
}
}
return elementsCnt;
}
function checkJsonObjPropertiesFilter(jsonObj, propertyName, jsonObjPath) {
return config.jsonPropertiesFilter.length == 0 || jsonObjPath == "" || checkInStdFiltersArrayForm(config.jsonPropertiesFilter, jsonObj, propertyName, jsonObjPath);
}
function parseJSONAttributes(jsonObj) {
var attrList = [];
if (jsonObj instanceof Object) {
for (var ait in jsonObj) {
if (ait.toString().indexOf("__") == -1 && ait.toString().indexOf(config.attributePrefix) == 0) {
attrList.push(ait);
}
}
}
return attrList;
}
function parseJSONTextAttrs(jsonTxtObj) {
var result = "";
if (jsonTxtObj.__cdata != null) {
result += "<![CDATA[" + jsonTxtObj.__cdata + "]]>";
}
if (jsonTxtObj.__text != null) {
if (config.escapeMode) result += escapeXmlChars(jsonTxtObj.__text);else result += jsonTxtObj.__text;
}
return result;
}
function parseJSONTextObject(jsonTxtObj) {
var result = "";
if (jsonTxtObj instanceof Object) {
result += parseJSONTextAttrs(jsonTxtObj);
} else if (jsonTxtObj != null) {
if (config.escapeMode) result += escapeXmlChars(jsonTxtObj);else result += jsonTxtObj;
}
return result;
}
function getJsonPropertyPath(jsonObjPath, jsonPropName) {
if (jsonObjPath === "") {
return jsonPropName;
} else return jsonObjPath + "." + jsonPropName;
}
function parseJSONArray(jsonArrRoot, jsonArrObj, attrList, jsonObjPath) {
var result = "";
if (jsonArrRoot.length == 0) {
result += startTag(jsonArrRoot, jsonArrObj, attrList, true);
} else {
for (var arIdx = 0; arIdx < jsonArrRoot.length; arIdx++) {
result += startTag(jsonArrRoot[arIdx], jsonArrObj, parseJSONAttributes(jsonArrRoot[arIdx]), false);
result += parseJSONObject(jsonArrRoot[arIdx], getJsonPropertyPath(jsonObjPath, jsonArrObj));
result += endTag(jsonArrRoot[arIdx], jsonArrObj);
}
}
return result;
}
function parseJSONObject(jsonObj, jsonObjPath) {
var result = "";
var elementsCnt = jsonXmlElemCount(jsonObj);
if (elementsCnt > 0) {
for (var it in jsonObj) {
if (jsonXmlSpecialElem(jsonObj, it) || jsonObjPath != "" && !checkJsonObjPropertiesFilter(jsonObj, it, getJsonPropertyPath(jsonObjPath, it))) continue;
var subObj = jsonObj[it];
var attrList = parseJSONAttributes(subObj);
if (subObj == null || subObj == undefined) {
result += startTag(subObj, it, attrList, true);
} else if (subObj instanceof Object) {
if (subObj instanceof Array) {
result += parseJSONArray(subObj, it, attrList, jsonObjPath);
} else if (subObj instanceof Date) {
result += startTag(subObj, it, attrList, false);
result += subObj.toISOString();
result += endTag(subObj, it);
} else {
var subObjElementsCnt = jsonXmlElemCount(subObj);
if (subObjElementsCnt > 0 || subObj.__text != null || subObj.__cdata != null) {
result += startTag(subObj, it, attrList, false);
result += parseJSONObject(subObj, getJsonPropertyPath(jsonObjPath, it));
result += endTag(subObj, it);
} else {
result += startTag(subObj, it, attrList, true);
}
}
} else {
result += startTag(subObj, it, attrList, false);
result += parseJSONTextObject(subObj);
result += endTag(subObj, it);
}
}
}
result += parseJSONTextObject(jsonObj);
return result;
}
this.parseXmlString = function (xmlDocStr) {
var isIEParser = window.ActiveXObject || "ActiveXObject" in window;
if (xmlDocStr === undefined) {
return null;
}
var xmlDoc;
if (window.DOMParser) {
var parser = new window.DOMParser();
var parsererrorNS = null;
try {
xmlDoc = parser.parseFromString(xmlDocStr, "text/xml");
if (xmlDoc.getElementsByTagNameNS("*", "parsererror").length > 0) {
xmlDoc = null;
}
} catch (err) {
xmlDoc = null;
}
} else {
// IE :(
if (xmlDocStr.indexOf("<?") == 0) {
xmlDocStr = xmlDocStr.substr(xmlDocStr.indexOf("?>") + 2);
}
xmlDoc = new ActiveXObject("Microsoft.XMLDOM");
xmlDoc.async = "false";
xmlDoc.loadXML(xmlDocStr);
}
return xmlDoc;
};
this.asArray = function (prop) {
if (prop === undefined || prop == null) return [];else if (prop instanceof Array) return prop;else return [prop];
};
this.toXmlDateTime = function (dt) {
if (dt instanceof Date) return dt.toISOString();else if (typeof dt === 'number') return new Date(dt).toISOString();else return null;
};
this.asDateTime = function (prop) {
if (typeof prop == "string") {
return fromXmlDateTime(prop);
} else return prop;
};
this.xml2json = function (xmlDoc) {
return parseDOMChildren(xmlDoc);
};
this.xml_str2json = function (xmlDocStr) {
var xmlDoc = this.parseXmlString(xmlDocStr);
if (xmlDoc != null) return this.xml2json(xmlDoc);else return null;
};
this.json2xml_str = function (jsonObj) {
return parseJSONObject(jsonObj, "");
};
this.json2xml = function (jsonObj) {
var xmlDocStr = this.json2xml_str(jsonObj);
return this.parseXmlString(xmlDocStr);
};
this.getVersion = function () {
return VERSION;
};
}
exports["default"] = X2JS;
module.exports = exports["default"];
},{}],4:[function(_dereq_,module,exports){
(function (global){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _srcStreamingMediaPlayer = _dereq_(91);
var _srcStreamingMediaPlayer2 = _interopRequireDefault(_srcStreamingMediaPlayer);
var _srcCoreFactoryMaker = _dereq_(47);
var _srcCoreFactoryMaker2 = _interopRequireDefault(_srcCoreFactoryMaker);
var _srcCoreDebug = _dereq_(45);
var _srcCoreDebug2 = _interopRequireDefault(_srcCoreDebug);
var _srcCoreVersion = _dereq_(48);
// Shove both of these into the global scope
var context = typeof window !== 'undefined' && window || global;
var dashjs = context.dashjs;
if (!dashjs) {
dashjs = context.dashjs = {};
}
dashjs.MediaPlayer = _srcStreamingMediaPlayer2['default'];
dashjs.FactoryMaker = _srcCoreFactoryMaker2['default'];
dashjs.Debug = _srcCoreDebug2['default'];
dashjs.Version = (0, _srcCoreVersion.getVersionString)();
exports['default'] = dashjs;
exports.MediaPlayer = _srcStreamingMediaPlayer2['default'];
exports.FactoryMaker = _srcCoreFactoryMaker2['default'];
exports.Debug = _srcCoreDebug2['default'];
}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
},{"45":45,"47":47,"48":48,"91":91}],5:[function(_dereq_,module,exports){
/*! codem-isoboxer v0.3.5 https://github.com/madebyhiro/codem-isoboxer/blob/master/LICENSE.txt */
var ISOBoxer = {};
ISOBoxer.parseBuffer = function(arrayBuffer) {
return new ISOFile(arrayBuffer).parse();
};
ISOBoxer.addBoxProcessor = function(type, parser) {
if (typeof type !== 'string' || typeof parser !== 'function') {
return;
}
ISOBox.prototype._boxProcessors[type] = parser;
};
ISOBoxer.createFile = function() {
return new ISOFile();
};
// See ISOBoxer.append() for 'pos' parameter syntax
ISOBoxer.createBox = function(type, parent, pos) {
var newBox = ISOBox.create(type);
if (parent) {
parent.append(newBox, pos);
}
return newBox;
};
// See ISOBoxer.append() for 'pos' parameter syntax
ISOBoxer.createFullBox = function(type, parent, pos) {
var newBox = ISOBoxer.createBox(type, parent, pos);
newBox.version = 0;
newBox.flags = 0;
return newBox;
};
ISOBoxer.Utils = {};
ISOBoxer.Utils.dataViewToString = function(dataView, encoding) {
var impliedEncoding = encoding || 'utf-8';
if (typeof TextDecoder !== 'undefined') {
return new TextDecoder(impliedEncoding).decode(dataView);
}
var a = [];
var i = 0;
if (impliedEncoding === 'utf-8') {
/* The following algorithm is essentially a rewrite of the UTF8.decode at
http://bannister.us/weblog/2007/simple-base64-encodedecode-javascript/
*/
while (i < dataView.byteLength) {
var c = dataView.getUint8(i++);
if (c < 0x80) {
// 1-byte character (7 bits)
} else if (c < 0xe0) {
// 2-byte character (11 bits)
c = (c & 0x1f) << 6;
c |= (dataView.getUint8(i++) & 0x3f);
} else if (c < 0xf0) {
// 3-byte character (16 bits)
c = (c & 0xf) << 12;
c |= (dataView.getUint8(i++) & 0x3f) << 6;
c |= (dataView.getUint8(i++) & 0x3f);
} else {
// 4-byte character (21 bits)
c = (c & 0x7) << 18;
c |= (dataView.getUint8(i++) & 0x3f) << 12;
c |= (dataView.getUint8(i++) & 0x3f) << 6;
c |= (dataView.getUint8(i++) & 0x3f);
}
a.push(String.fromCharCode(c));
}
} else { // Just map byte-by-byte (probably wrong)
while (i < dataView.byteLength) {
a.push(String.fromCharCode(dataView.getUint8(i++)));
}
}
return a.join('');
};
ISOBoxer.Utils.utf8ToByteArray = function(string) {
// Only UTF-8 encoding is supported by TextEncoder
var u, i;
if (typeof TextEncoder !== 'undefined') {
u = new TextEncoder().encode(string);
} else {
u = [];
for (i = 0; i < string.length; ++i) {
var c = string.charCodeAt(i);
if (c < 0x80) {
u.push(c);
} else if (c < 0x800) {
u.push(0xC0 | (c >> 6));
u.push(0x80 | (63 & c));
} else if (c < 0x10000) {
u.push(0xE0 | (c >> 12));
u.push(0x80 | (63 & (c >> 6)));
u.push(0x80 | (63 & c));
} else {
u.push(0xF0 | (c >> 18));
u.push(0x80 | (63 & (c >> 12)));
u.push(0x80 | (63 & (c >> 6)));
u.push(0x80 | (63 & c));
}
}
}
return u;
};
// Method to append a box in the list of child boxes
// The 'pos' parameter can be either:
// - (number) a position index at which to insert the new box
// - (string) the type of the box after which to insert the new box
// - (object) the box after which to insert the new box
ISOBoxer.Utils.appendBox = function(parent, box, pos) {
box._offset = parent._cursor.offset;
box._root = (parent._root ? parent._root : parent);
box._raw = parent._raw;
box._parent = parent;
if (pos === -1) {
// The new box is a sub-box of the parent but not added in boxes array,
// for example when the new box is set as an entry (see dref and stsd for example)
return;
}
if (pos === undefined || pos === null) {
parent.boxes.push(box);
return;
}
var index = -1,
type;
if (typeof pos === "number") {
index = pos;
} else {
if (typeof pos === "string") {
type = pos;
} else if (typeof pos === "object" && pos.type) {
type = pos.type;
} else {
parent.boxes.push(box);
return;
}
for (var i = 0; i < parent.boxes.length; i++) {
if (type === parent.boxes[i].type) {
index = i + 1;
break;
}
}
}
parent.boxes.splice(index, 0, box);
};
if (typeof exports !== 'undefined') {
exports.parseBuffer = ISOBoxer.parseBuffer;
exports.addBoxProcessor = ISOBoxer.addBoxProcessor;
exports.createFile = ISOBoxer.createFile;
exports.createBox = ISOBoxer.createBox;
exports.createFullBox = ISOBoxer.createFullBox;
exports.Utils = ISOBoxer.Utils;
}
ISOBoxer.Cursor = function(initialOffset) {
this.offset = (typeof initialOffset == 'undefined' ? 0 : initialOffset);
};
var ISOFile = function(arrayBuffer) {
this._cursor = new ISOBoxer.Cursor();
this.boxes = [];
if (arrayBuffer) {
this._raw = new DataView(arrayBuffer);
}
};
ISOFile.prototype.fetch = function(type) {
var result = this.fetchAll(type, true);
return (result.length ? result[0] : null);
};
ISOFile.prototype.fetchAll = function(type, returnEarly) {
var result = [];
ISOFile._sweep.call(this, type, result, returnEarly);
return result;
};
ISOFile.prototype.parse = function() {
this._cursor.offset = 0;
this.boxes = [];
while (this._cursor.offset < this._raw.byteLength) {
var box = ISOBox.parse(this);
// Box could not be parsed
if (typeof box.type === 'undefined') break;
this.boxes.push(box);
}
return this;
};
ISOFile._sweep = function(type, result, returnEarly) {
if (this.type && this.type == type) result.push(this);
for (var box in this.boxes) {
if (result.length && returnEarly) return;
ISOFile._sweep.call(this.boxes[box], type, result, returnEarly);
}
};
ISOFile.prototype.write = function() {
var length = 0,
i;
for (i = 0; i < this.boxes.length; i++) {
length += this.boxes[i].getLength(false);
}
var bytes = new Uint8Array(length);
this._rawo = new DataView(bytes.buffer);
this.bytes = bytes;
this._cursor.offset = 0;
for (i = 0; i < this.boxes.length; i++) {
this.boxes[i].write();
}
return bytes.buffer;
};
ISOFile.prototype.append = function(box, pos) {
ISOBoxer.Utils.appendBox(this, box, pos);
};
var ISOBox = function() {
this._cursor = new ISOBoxer.Cursor();
};
ISOBox.parse = function(parent) {
var newBox = new ISOBox();
newBox._offset = parent._cursor.offset;
newBox._root = (parent._root ? parent._root : parent);
newBox._raw = parent._raw;
newBox._parent = parent;
newBox._parseBox();
parent._cursor.offset = newBox._raw.byteOffset + newBox._raw.byteLength;
return newBox;
};
ISOBox.create = function(type) {
var newBox = new ISOBox();
newBox.type = type;
newBox.boxes = [];
return newBox;
};
ISOBox.prototype._boxContainers = ['dinf', 'edts', 'mdia', 'meco', 'mfra', 'minf', 'moof', 'moov', 'mvex', 'stbl', 'strk', 'traf', 'trak', 'tref', 'udta', 'vttc', 'sinf', 'schi', 'encv', 'enca'];
ISOBox.prototype._boxProcessors = {};
///////////////////////////////////////////////////////////////////////////////////////////////////
// Generic read/write functions
ISOBox.prototype._procField = function (name, type, size) {
if (this._parsing) {
this[name] = this._readField(type, size);
}
else {
this._writeField(type, size, this[name]);
}
};
ISOBox.prototype._procFieldArray = function (name, length, type, size) {
var i;
if (this._parsing) {
this[name] = [];
for (i = 0; i < length; i++) {
this[name][i] = this._readField(type, size);
}
}
else {
for (i = 0; i < this[name].length; i++) {
this._writeField(type, size, this[name][i]);
}
}
};
ISOBox.prototype._procFullBox = function() {
this._procField('version', 'uint', 8);
this._procField('flags', 'uint', 24);
};
ISOBox.prototype._procEntries = function(name, length, fn) {
var i;
if (this._parsing) {
this[name] = [];
for (i = 0; i < length; i++) {
this[name].push({});
fn.call(this, this[name][i]);
}
}
else {
for (i = 0; i < length; i++) {
fn.call(this, this[name][i]);
}
}
};
ISOBox.prototype._procSubEntries = function(entry, name, length, fn) {
var i;
if (this._parsing) {
entry[name] = [];
for (i = 0; i < length; i++) {
entry[name].push({});
fn.call(this, entry[name][i]);
}
}
else {
for (i = 0; i < length; i++) {
fn.call(this, entry[name][i]);
}
}
};
ISOBox.prototype._procEntryField = function (entry, name, type, size) {
if (this._parsing) {
entry[name] = this._readField(type, size);
}
else {
this._writeField(type, size, entry[name]);
}
};
ISOBox.prototype._procSubBoxes = function(name, length) {
var i;
if (this._parsing) {
this[name] = [];
for (i = 0; i < length; i++) {
this[name].push(ISOBox.parse(this));
}
}
else {
for (i = 0; i < length; i++) {
if (this._rawo) {
this[name][i].write();
} else {
this.size += this[name][i].getLength();
}
}
}
};
///////////////////////////////////////////////////////////////////////////////////////////////////
// Read/parse functions
ISOBox.prototype._readField = function(type, size) {
switch (type) {
case 'uint':
return this._readUint(size);
case 'int':
return this._readInt(size);
case 'template':
return this._readTemplate(size);
case 'string':
return (size === -1) ? this._readTerminatedString() : this._readString(size);
case 'data':
return this._readData(size);
case 'utf8':
return this._readUTF8String();
default:
return -1;
}
};
ISOBox.prototype._readInt = function(size) {
var result = null,
offset = this._cursor.offset - this._raw.byteOffset;
switch(size) {
case 8:
result = this._raw.getInt8(offset);
break;
case 16:
result = this._raw.getInt16(offset);
break;
case 32:
result = this._raw.getInt32(offset);
break;
case 64:
// Warning: JavaScript cannot handle 64-bit integers natively.
// This will give unexpected results for integers >= 2^53
var s1 = this._raw.getInt32(offset);
var s2 = this._raw.getInt32(offset + 4);
result = (s1 * Math.pow(2,32)) + s2;
break;
}
this._cursor.offset += (size >> 3);
return result;
};
ISOBox.prototype._readUint = function(size) {
var result = null,
offset = this._cursor.offset - this._raw.byteOffset,
s1, s2;
switch(size) {
case 8:
result = this._raw.getUint8(offset);
break;
case 16:
result = this._raw.getUint16(offset);
break;
case 24:
s1 = this._raw.getUint16(offset);
s2 = this._raw.getUint8(offset + 2);
result = (s1 << 8) + s2;
break;
case 32:
result = this._raw.getUint32(offset);
break;
case 64:
// Warning: JavaScript cannot handle 64-bit integers natively.
// This will give unexpected results for integers >= 2^53
s1 = this._raw.getUint32(offset);
s2 = this._raw.getUint32(offset + 4);
result = (s1 * Math.pow(2,32)) + s2;
break;
}
this._cursor.offset += (size >> 3);
return result;
};
ISOBox.prototype._readString = function(length) {
var str = '';
for (var c = 0; c < length; c++) {
var char = this._readUint(8);
str += String.fromCharCode(char);
}
return str;
};
ISOBox.prototype._readTemplate = function(size) {
var pre = this._readUint(size / 2);
var post = this._readUint(size / 2);
return pre + (post / Math.pow(2, size / 2));
};
ISOBox.prototype._readTerminatedString = function() {
var str = '';
while (this._cursor.offset - this._offset < this._raw.byteLength) {
var char = this._readUint(8);
if (char === 0) break;
str += String.fromCharCode(char);
}
return str;
};
ISOBox.prototype._readData = function(size) {
var length = (size > 0) ? size : (this._raw.byteLength - (this._cursor.offset - this._offset));
if (length > 0) {
var data = new Uint8Array(this._raw.buffer, this._cursor.offset, length);
this._cursor.offset += length;
return data;
}
else {
return null;
}
};
ISOBox.prototype._readUTF8String = function() {
var length = this._raw.byteLength - (this._cursor.offset - this._offset);
var data = null;
if (length > 0) {
data = new DataView(this._raw.buffer, this._cursor.offset, length);
this._cursor.offset += length;
}
return data ? ISOBoxer.Utils.dataViewToString(data) : data;
};
ISOBox.prototype._parseBox = function() {
this._parsing = true;
this._cursor.offset = this._offset;
// return immediately if there are not enough bytes to read the header
if (this._offset + 8 > this._raw.buffer.byteLength) {
this._root._incomplete = true;
return;
}
this._procField('size', 'uint', 32);
this._procField('type', 'string', 4);
if (this.size === 1) { this._procField('largesize', 'uint', 64); }
if (this.type === 'uuid') { this._procFieldArray('usertype', 16, 'uint', 8); }
switch(this.size) {
case 0:
this._raw = new DataView(this._raw.buffer, this._offset, (this._raw.byteLength - this._cursor.offset + 8));
break;
case 1:
if (this._offset + this.size > this._raw.buffer.byteLength) {
this._incomplete = true;
this._root._incomplete = true;
} else {
this._raw = new DataView(this._raw.buffer, this._offset, this.largesize);
}
break;
default:
if (this._offset + this.size > this._raw.buffer.byteLength) {
this._incomplete = true;
this._root._incomplete = true;
} else {
this._raw = new DataView(this._raw.buffer, this._offset, this.size);
}
}
// additional parsing
if (!this._incomplete) {
if (this._boxProcessors[this.type]) {
this._boxProcessors[this.type].call(this);
}
if (this._boxContainers.indexOf(this.type) !== -1) {
this._parseContainerBox();
} else{
// Unknown box => read and store box content
this._data = this._readData();
}
}
};
ISOBox.prototype._parseFullBox = function() {
this.version = this._readUint(8);
this.flags = this._readUint(24);
};
ISOBox.prototype._parseContainerBox = function() {
this.boxes = [];
while (this._cursor.offset - this._raw.byteOffset < this._raw.byteLength) {
this.boxes.push(ISOBox.parse(this));
}
};
///////////////////////////////////////////////////////////////////////////////////////////////////
// Write functions
ISOBox.prototype.append = function(box, pos) {
ISOBoxer.Utils.appendBox(this, box, pos);
};
ISOBox.prototype.getLength = function() {
this._parsing = false;
this._rawo = null;
this.size = 0;
this._procField('size', 'uint', 32);
this._procField('type', 'string', 4);
if (this.size === 1) { this._procField('largesize', 'uint', 64); }
if (this.type === 'uuid') { this._procFieldArray('usertype', 16, 'uint', 8); }
if (this._boxProcessors[this.type]) {
this._boxProcessors[this.type].call(this);
}
if (this._boxContainers.indexOf(this.type) !== -1) {
for (var i = 0; i < this.boxes.length; i++) {
this.size += this.boxes[i].getLength();
}
}
if (this._data) {
this._writeData(this._data);
}
return this.size;
};
ISOBox.prototype.write = function() {
this._parsing = false;
this._cursor.offset = this._parent._cursor.offset;
switch(this.size) {
case 0:
this._rawo = new DataView(this._parent._rawo.buffer, this._cursor.offset, (this.parent._rawo.byteLength - this._cursor.offset));
break;
case 1:
this._rawo = new DataView(this._parent._rawo.buffer, this._cursor.offset, this.largesize);
break;
default:
this._rawo = new DataView(this._parent._rawo.buffer, this._cursor.offset, this.size);
}
this._procField('size', 'uint', 32);
this._procField('type', 'string', 4);
if (this.size === 1) { this._procField('largesize', 'uint', 64); }
if (this.type === 'uuid') { this._procFieldArray('usertype', 16, 'uint', 8); }
if (this._boxProcessors[this.type]) {
this._boxProcessors[this.type].call(this);
}
if (this._boxContainers.indexOf(this.type) !== -1) {
for (var i = 0; i < this.boxes.length; i++) {
this.boxes[i].write();
}
}
if (this._data) {
this._writeData(this._data);
}
this._parent._cursor.offset += this.size;
return this.size;
};
ISOBox.prototype._writeInt = function(size, value) {
if (this._rawo) {
var offset = this._cursor.offset - this._rawo.byteOffset;
switch(size) {
case 8:
this._rawo.setInt8(offset, value);
break;
case 16:
this._rawo.setInt16(offset, value);
break;
case 32:
this._rawo.setInt32(offset, value);
break;
case 64:
// Warning: JavaScript cannot handle 64-bit integers natively.
// This will give unexpected results for integers >= 2^53
var s1 = Math.floor(value / Math.pow(2,32));
var s2 = value - (s1 * Math.pow(2,32));
this._rawo.setUint32(offset, s1);
this._rawo.setUint32(offset + 4, s2);
break;
}
this._cursor.offset += (size >> 3);
} else {
this.size += (size >> 3);
}
};
ISOBox.prototype._writeUint = function(size, value) {
if (this._rawo) {
var offset = this._cursor.offset - this._rawo.byteOffset,
s1, s2;
switch(size) {
case 8:
this._rawo.setUint8(offset, value);
break;
case 16:
this._rawo.setUint16(offset, value);
break;
case 24:
s1 = (value & 0xFFFF00) >> 8;
s2 = (value & 0x0000FF);
this._rawo.setUint16(offset, s1);
this._rawo.setUint8(offset + 2, s2);
break;
case 32:
this._rawo.setUint32(offset, value);
break;
case 64:
// Warning: JavaScript cannot handle 64-bit integers natively.
// This will give unexpected results for integers >= 2^53
s1 = Math.floor(value / Math.pow(2,32));
s2 = value - (s1 * Math.pow(2,32));
this._rawo.setUint32(offset, s1);
this._rawo.setUint32(offset + 4, s2);
break;
}
this._cursor.offset += (size >> 3);
} else {
this.size += (size >> 3);
}
};
ISOBox.prototype._writeString = function(size, str) {
for (var c = 0; c < size; c++) {
this._writeUint(8, str.charCodeAt(c));
}
};
ISOBox.prototype._writeTerminatedString = function(str) {
if (str.length === 0) {
return;
}
for (var c = 0; c < str.length; c++) {
this._writeUint(8, str.charCodeAt(c));
}
this._writeUint(8, 0);
};
ISOBox.prototype._writeTemplate = function(size, value) {
var pre = Math.floor(value);
var post = (value - pre) * Math.pow(2, size / 2);
this._writeUint(size / 2, pre);
this._writeUint(size / 2, post);
};
ISOBox.prototype._writeData = function(data) {
var i;
//data to copy
if (data) {
if (this._rawo) {
//Array and Uint8Array has also to be managed
if (data instanceof Array) {
var offset = this._cursor.offset - this._rawo.byteOffset;
for (var i = 0; i < data.length; i++) {
this._rawo.setInt8(offset + i, data[i]);
}
this._cursor.offset += data.length;
}
if (data instanceof Uint8Array) {
this._root.bytes.set(data, this._cursor.offset);
this._cursor.offset += data.length;
}
} else {
//nothing to copy only size to compute
this.size += data.length;
}
}
};
ISOBox.prototype._writeUTF8String = function(string) {
var u = ISOBoxer.Utils.utf8ToByteArray(string);
if (this._rawo) {
var dataView = new DataView(this._rawo.buffer, this._cursor.offset, u.length);
for (var i = 0; i < u.length; i++) {
dataView.setUint8(i, u[i]);
}
} else {
this.size += u.length;
}
};
ISOBox.prototype._writeField = function(type, size, value) {
switch (type) {
case 'uint':
this._writeUint(size, value);
break;
case 'int':
this._writeInt(size, value);
break;
case 'template':
this._writeTemplate(size, value);
break;
case 'string':
if (size == -1) {
this._writeTerminatedString(value);
} else {
this._writeString(size, value);
}
break;
case 'data':
this._writeData(value);
break;
case 'utf8':
this._writeUTF8String(value);
break;
default:
break;
}
};
// ISO/IEC 14496-15:2014 - avc1 box
ISOBox.prototype._boxProcessors['avc1'] = ISOBox.prototype._boxProcessors['encv'] = function() {
// SampleEntry fields
this._procFieldArray('reserved1', 6, 'uint', 8);
this._procField('data_reference_index', 'uint', 16);
// VisualSampleEntry fields
this._procField('pre_defined1', 'uint', 16);
this._procField('reserved2', 'uint', 16);
this._procFieldArray('pre_defined2', 3, 'uint', 32);
this._procField('width', 'uint', 16);
this._procField('height', 'uint', 16);
this._procField('horizresolution', 'template', 32);
this._procField('vertresolution', 'template', 32);
this._procField('reserved3', 'uint', 32);
this._procField('frame_count', 'uint', 16);
this._procFieldArray('compressorname', 32,'uint', 8);
this._procField('depth', 'uint', 16);
this._procField('pre_defined3', 'int', 16);
// AVCSampleEntry fields
this._procField('config', 'data', -1);
};
// ISO/IEC 14496-12:2012 - 8.7.2 Data Reference Box
ISOBox.prototype._boxProcessors['dref'] = function() {
this._procFullBox();
this._procField('entry_count', 'uint', 32);
this._procSubBoxes('entries', this.entry_count);
};
// ISO/IEC 14496-12:2012 - 8.6.6 Edit List Box
ISOBox.prototype._boxProcessors['elst'] = function() {
this._procFullBox();
this._procField('entry_count', 'uint', 32);
this._procEntries('entries', this.entry_count, function(entry) {
this._procEntryField(entry, 'segment_duration', 'uint', (this.version === 1) ? 64 : 32);
this._procEntryField(entry, 'media_time', 'int', (this.version === 1) ? 64 : 32);
this._procEntryField(entry, 'media_rate_integer', 'int', 16);
this._procEntryField(entry, 'media_rate_fraction', 'int', 16);
});
};
// ISO/IEC 23009-1:2014 - 5.10.3.3 Event Message Box
ISOBox.prototype._boxProcessors['emsg'] = function() {
this._procFullBox();
this._procField('scheme_id_uri', 'string', -1);
this._procField('value', 'string', -1);
this._procField('timescale', 'uint', 32);
this._procField('presentation_time_delta', 'uint', 32);
this._procField('event_duration', 'uint', 32);
this._procField('id', 'uint', 32);
this._procField('message_data', 'data', -1);
};
// ISO/IEC 14496-12:2012 - 8.1.2 Free Space Box
ISOBox.prototype._boxProcessors['free'] = ISOBox.prototype._boxProcessors['skip'] = function() {
this._procField('data', 'data', -1);
};
// ISO/IEC 14496-12:2012 - 8.12.2 Original Format Box
ISOBox.prototype._boxProcessors['frma'] = function() {
this._procField('data_format', 'uint', 32);
};
// ISO/IEC 14496-12:2012 - 4.3 File Type Box / 8.16.2 Segment Type Box
ISOBox.prototype._boxProcessors['ftyp'] =
ISOBox.prototype._boxProcessors['styp'] = function() {
this._procField('major_brand', 'string', 4);
this._procField('minor_version', 'uint', 32);
var nbCompatibleBrands = -1;
if (this._parsing) {
nbCompatibleBrands = (this._raw.byteLength - (this._cursor.offset - this._raw.byteOffset)) / 4;
}
this._procFieldArray('compatible_brands', nbCompatibleBrands, 'string', 4);
};
// ISO/IEC 14496-12:2012 - 8.4.3 Handler Reference Box
ISOBox.prototype._boxProcessors['hdlr'] = function() {
this._procFullBox();
this._procField('pre_defined', 'uint', 32);
this._procField('handler_type', 'string', 4);
this._procFieldArray('reserved', 3, 'uint', 32);
this._procField('name', 'string', -1);
};
// ISO/IEC 14496-12:2012 - 8.1.1 Media Data Box
ISOBox.prototype._boxProcessors['mdat'] = function() {
this._procField('data', 'data', -1);
};
// ISO/IEC 14496-12:2012 - 8.4.2 Media Header Box
ISOBox.prototype._boxProcessors['mdhd'] = function() {
this._procFullBox();
this._procField('creation_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('modification_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('timescale', 'uint', 32);
this._procField('duration', 'uint', (this.version == 1) ? 64 : 32);
if (!this._parsing && typeof this.language === 'string') {
// In case of writing and language has been set as a string, then convert it into char codes array
this.language = ((this.language.charCodeAt(0) - 0x60) << 10) |
((this.language.charCodeAt(1) - 0x60) << 5) |
((this.language.charCodeAt(2) - 0x60));
}
this._procField('language', 'uint', 16);
if (this._parsing) {
this.language = String.fromCharCode(((this.language >> 10) & 0x1F) + 0x60,
((this.language >> 5) & 0x1F) + 0x60,
(this.language & 0x1F) + 0x60);
}
this._procField('pre_defined', 'uint', 16);
};
// ISO/IEC 14496-12:2012 - 8.8.2 Movie Extends Header Box
ISOBox.prototype._boxProcessors['mehd'] = function() {
this._procFullBox();
this._procField('fragment_duration', 'uint', (this.version == 1) ? 64 : 32);
};
// ISO/IEC 14496-12:2012 - 8.8.5 Movie Fragment Header Box
ISOBox.prototype._boxProcessors['mfhd'] = function() {
this._procFullBox();
this._procField('sequence_number', 'uint', 32);
};
// ISO/IEC 14496-12:2012 - 8.8.11 Movie Fragment Random Access Box
ISOBox.prototype._boxProcessors['mfro'] = function() {
this._procFullBox();
this._procField('mfra_size', 'uint', 32); // Called mfra_size to distinguish from the normal "size" attribute of a box
};
// ISO/IEC 14496-12:2012 - 8.5.2.2 mp4a box (use AudioSampleEntry definition and naming)
ISOBox.prototype._boxProcessors['mp4a'] = ISOBox.prototype._boxProcessors['enca'] = function() {
// SampleEntry fields
this._procFieldArray('reserved1', 6, 'uint', 8);
this._procField('data_reference_index', 'uint', 16);
// AudioSampleEntry fields
this._procFieldArray('reserved2', 2, 'uint', 32);
this._procField('channelcount', 'uint', 16);
this._procField('samplesize', 'uint', 16);
this._procField('pre_defined', 'uint', 16);
this._procField('reserved3', 'uint', 16);
this._procField('samplerate', 'template', 32);
// ESDescriptor fields
this._procField('esds', 'data', -1);
};
// ISO/IEC 14496-12:2012 - 8.2.2 Movie Header Box
ISOBox.prototype._boxProcessors['mvhd'] = function() {
this._procFullBox();
this._procField('creation_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('modification_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('timescale', 'uint', 32);
this._procField('duration', 'uint', (this.version == 1) ? 64 : 32);
this._procField('rate', 'template', 32);
this._procField('volume', 'template', 16);
this._procField('reserved1', 'uint', 16);
this._procFieldArray('reserved2', 2, 'uint', 32);
this._procFieldArray('matrix', 9, 'template', 32);
this._procFieldArray('pre_defined', 6,'uint', 32);
this._procField('next_track_ID', 'uint', 32);
};
// ISO/IEC 14496-30:2014 - WebVTT Cue Payload Box.
ISOBox.prototype._boxProcessors['payl'] = function() {
this._procField('cue_text', 'utf8');
};
//ISO/IEC 23001-7:2011 - 8.1 Protection System Specific Header Box
ISOBox.prototype._boxProcessors['pssh'] = function() {
this._procFullBox();
this._procFieldArray('SystemID', 16, 'uint', 8);
this._procField('DataSize', 'uint', 32);
this._procFieldArray('Data', this.DataSize, 'uint', 8);
};
// ISO/IEC 14496-12:2012 - 8.12.5 Scheme Type Box
ISOBox.prototype._boxProcessors['schm'] = function() {
this._procFullBox();
this._procField('scheme_type', 'uint', 32);
this._procField('scheme_version', 'uint', 32);
if (this.flags & 0x000001) {
this._procField('scheme_uri', 'string', -1);
}
};
// ISO/IEC 14496-12:2012 - 8.6.4.1 sdtp box
ISOBox.prototype._boxProcessors['sdtp'] = function() {
this._procFullBox();
var sample_count = -1;
if (this._parsing) {
sample_count = (this._raw.byteLength - (this._cursor.offset - this._raw.byteOffset));
}
this._procFieldArray('sample_dependency_table', sample_count, 'uint', 8);
};
// ISO/IEC 14496-12:2012 - 8.16.3 Segment Index Box
ISOBox.prototype._boxProcessors['sidx'] = function() {
this._procFullBox();
this._procField('reference_ID', 'uint', 32);
this._procField('timescale', 'uint', 32);
this._procField('earliest_presentation_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('first_offset', 'uint', (this.version == 1) ? 64 : 32);
this._procField('reserved', 'uint', 16);
this._procField('reference_count', 'uint', 16);
this._procEntries('references', this.reference_count, function(entry) {
if (!this._parsing) {
entry.reference = (entry.reference_type & 0x00000001) << 31;
entry.reference |= (entry.referenced_size & 0x7FFFFFFF);
entry.sap = (entry.starts_with_SAP & 0x00000001) << 31;
entry.sap |= (entry.SAP_type & 0x00000003) << 28;
entry.sap |= (entry.SAP_delta_time & 0x0FFFFFFF);
}
this._procEntryField(entry, 'reference', 'uint', 32);
this._procEntryField(entry, 'subsegment_duration', 'uint', 32);
this._procEntryField(entry, 'sap', 'uint', 32);
if (this._parsing) {
entry.reference_type = (entry.reference >> 31) & 0x00000001;
entry.referenced_size = entry.reference & 0x7FFFFFFF;
entry.starts_with_SAP = (entry.sap >> 31) & 0x00000001;
entry.SAP_type = (entry.sap >> 28) & 0x00000007;
entry.SAP_delta_time = (entry.sap & 0x0FFFFFFF);
}
});
};
// ISO/IEC 14496-12:2012 - 8.4.5.3 Sound Media Header Box
ISOBox.prototype._boxProcessors['smhd'] = function() {
this._procFullBox();
this._procField('balance', 'uint', 16);
this._procField('reserved', 'uint', 16);
};
// ISO/IEC 14496-12:2012 - 8.16.4 Subsegment Index Box
ISOBox.prototype._boxProcessors['ssix'] = function() {
this._procFullBox();
this._procField('subsegment_count', 'uint', 32);
this._procEntries('subsegments', this.subsegment_count, function(subsegment) {
this._procEntryField(subsegment, 'ranges_count', 'uint', 32);
this._procSubEntries(subsegment, 'ranges', subsegment.ranges_count, function(range) {
this._procEntryField(range, 'level', 'uint', 8);
this._procEntryField(range, 'range_size', 'uint', 24);
});
});
};
// ISO/IEC 14496-12:2012 - 8.5.2 Sample Description Box
ISOBox.prototype._boxProcessors['stsd'] = function() {
this._procFullBox();
this._procField('entry_count', 'uint', 32);
this._procSubBoxes('entries', this.entry_count);
};
// ISO/IEC 14496-12:2015 - 8.7.7 Sub-Sample Information Box
ISOBox.prototype._boxProcessors['subs'] = function () {
this._procFullBox();
this._procField('entry_count', 'uint', 32);
this._procEntries('entries', this.entry_count, function(entry) {
this._procEntryField(entry, 'sample_delta', 'uint', 32);
this._procEntryField(entry, 'subsample_count', 'uint', 16);
this._procSubEntries(entry, 'subsamples', entry.subsample_count, function(subsample) {
this._procEntryField(subsample, 'subsample_size', 'uint', (this.version === 1) ? 32 : 16);
this._procEntryField(subsample, 'subsample_priority', 'uint', 8);
this._procEntryField(subsample, 'discardable', 'uint', 8);
this._procEntryField(subsample, 'codec_specific_parameters', 'uint', 32);
});
});
};
//ISO/IEC 23001-7:2011 - 8.2 Track Encryption Box
ISOBox.prototype._boxProcessors['tenc'] = function() {
this._procFullBox();
this._procField('default_IsEncrypted', 'uint', 24);
this._procField('default_IV_size', 'uint', 8);
this._procFieldArray('default_KID', 16, 'uint', 8);
};
// ISO/IEC 14496-12:2012 - 8.8.12 Track Fragmnent Decode Time
ISOBox.prototype._boxProcessors['tfdt'] = function() {
this._procFullBox();
this._procField('baseMediaDecodeTime', 'uint', (this.version == 1) ? 64 : 32);
};
// ISO/IEC 14496-12:2012 - 8.8.7 Track Fragment Header Box
ISOBox.prototype._boxProcessors['tfhd'] = function() {
this._procFullBox();
this._procField('track_ID', 'uint', 32);
if (this.flags & 0x01) this._procField('base_data_offset', 'uint', 64);
if (this.flags & 0x02) this._procField('sample_description_offset', 'uint', 32);
if (this.flags & 0x08) this._procField('default_sample_duration', 'uint', 32);
if (this.flags & 0x10) this._procField('default_sample_size', 'uint', 32);
if (this.flags & 0x20) this._procField('default_sample_flags', 'uint', 32);
};
// ISO/IEC 14496-12:2012 - 8.8.10 Track Fragment Random Access Box
ISOBox.prototype._boxProcessors['tfra'] = function() {
this._procFullBox();
this._procField('track_ID', 'uint', 32);
if (!this._parsing) {
this.reserved = 0;
this.reserved |= (this.length_size_of_traf_num & 0x00000030) << 4;
this.reserved |= (this.length_size_of_trun_num & 0x0000000C) << 2;
this.reserved |= (this.length_size_of_sample_num & 0x00000003);
}
this._procField('reserved', 'uint', 32);
if (this._parsing) {
this.length_size_of_traf_num = (this.reserved & 0x00000030) >> 4;
this.length_size_of_trun_num = (this.reserved & 0x0000000C) >> 2;
this.length_size_of_sample_num = (this.reserved & 0x00000003);
}
this._procField('number_of_entry', 'uint', 32);
this._procEntries('entries', this.number_of_entry, function(entry) {
this._procEntryField(entry, 'time', 'uint', (this.version === 1) ? 64 : 32);
this._procEntryField(entry, 'moof_offset', 'uint', (this.version === 1) ? 64 : 32);
this._procEntryField(entry, 'traf_number', 'uint', (this.length_size_of_traf_num + 1) * 8);
this._procEntryField(entry, 'trun_number', 'uint', (this.length_size_of_trun_num + 1) * 8);
this._procEntryField(entry, 'sample_number', 'uint', (this.length_size_of_sample_num + 1) * 8);
});
};
// ISO/IEC 14496-12:2012 - 8.3.2 Track Header Box
ISOBox.prototype._boxProcessors['tkhd'] = function() {
this._procFullBox();
this._procField('creation_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('modification_time', 'uint', (this.version == 1) ? 64 : 32);
this._procField('track_ID', 'uint', 32);
this._procField('reserved1', 'uint', 32);
this._procField('duration', 'uint', (this.version == 1) ? 64 : 32);
this._procFieldArray('reserved2', 2, 'uint', 32);
this._procField('layer', 'uint', 16);
this._procField('alternate_group', 'uint', 16);
this._procField('volume', 'template', 16);
this._procField('reserved3', 'uint', 16);
this._procFieldArray('matrix', 9, 'template', 32);
this._procField('width', 'template', 32);
this._procField('height', 'template', 32);
};
// ISO/IEC 14496-12:2012 - 8.8.3 Track Extends Box
ISOBox.prototype._boxProcessors['trex'] = function() {
this._procFullBox();
this._procField('track_ID', 'uint', 32);
this._procField('default_sample_description_index', 'uint', 32);
this._procField('default_sample_duration', 'uint', 32);
this._procField('default_sample_size', 'uint', 32);
this._procField('default_sample_flags', 'uint', 32);
};
// ISO/IEC 14496-12:2012 - 8.8.8 Track Run Box
// Note: the 'trun' box has a direct relation to the 'tfhd' box for defaults.
// These defaults are not set explicitly here, but are left to resolve for the user.
ISOBox.prototype._boxProcessors['trun'] = function() {
this._procFullBox();
this._procField('sample_count', 'uint', 32);
if (this.flags & 0x1) this._procField('data_offset', 'int', 32);
if (this.flags & 0x4) this._procField('first_sample_flags', 'uint', 32);
this._procEntries('samples', this.sample_count, function(sample) {
if (this.flags & 0x100) this._procEntryField(sample, 'sample_duration', 'uint', 32);
if (this.flags & 0x200) this._procEntryField(sample, 'sample_size', 'uint', 32);
if (this.flags & 0x400) this._procEntryField(sample, 'sample_flags', 'uint', 32);
if (this.flags & 0x800) this._procEntryField(sample, 'sample_composition_time_offset', (this.version === 1) ? 'int' : 'uint', 32);
});
};
// ISO/IEC 14496-12:2012 - 8.7.2 Data Reference Box
ISOBox.prototype._boxProcessors['url '] = ISOBox.prototype._boxProcessors['urn '] = function() {
this._procFullBox();
if (this.type === 'urn ') {
this._procField('name', 'string', -1);
}
this._procField('location', 'string', -1);
};
// ISO/IEC 14496-30:2014 - WebVTT Source Label Box
ISOBox.prototype._boxProcessors['vlab'] = function() {
this._procField('source_label', 'utf8');
};
// ISO/IEC 14496-12:2012 - 8.4.5.2 Video Media Header Box
ISOBox.prototype._boxProcessors['vmhd'] = function() {
this._procFullBox();
this._procField('graphicsmode', 'uint', 16);
this._procFieldArray('opcolor', 3, 'uint', 16);
};
// ISO/IEC 14496-30:2014 - WebVTT Configuration Box
ISOBox.prototype._boxProcessors['vttC'] = function() {
this._procField('config', 'utf8');
};
// ISO/IEC 14496-30:2014 - WebVTT Empty Sample Box
ISOBox.prototype._boxProcessors['vtte'] = function() {
// Nothing should happen here.
};
},{}],6:[function(_dereq_,module,exports){
'use strict';
var isArray = Array.isArray;
var keyList = Object.keys;
var hasProp = Object.prototype.hasOwnProperty;
module.exports = function equal(a, b) {
if (a === b) return true;
var arrA = isArray(a)
, arrB = isArray(b)
, i
, length
, key;
if (arrA && arrB) {
length = a.length;
if (length != b.length) return false;
for (i = 0; i < length; i++)
if (!equal(a[i], b[i])) return false;
return true;
}
if (arrA != arrB) return false;
var dateA = a instanceof Date
, dateB = b instanceof Date;
if (dateA != dateB) return false;
if (dateA && dateB) return a.getTime() == b.getTime();
var regexpA = a instanceof RegExp
, regexpB = b instanceof RegExp;
if (regexpA != regexpB) return false;
if (regexpA && regexpB) return a.toString() == b.toString();
if (a instanceof Object && b instanceof Object) {
var keys = keyList(a);
length = keys.length;
if (length !== keyList(b).length)
return false;
for (i = 0; i < length; i++)
if (!hasProp.call(b, keys[i])) return false;
for (i = 0; i < length; i++) {
key = keys[i];
if (!equal(a[key], b[key])) return false;
}
return true;
}
return false;
};
},{}],7:[function(_dereq_,module,exports){
var lookup = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';
;(function (exports) {
'use strict';
var Arr = (typeof Uint8Array !== 'undefined')
? Uint8Array
: Array
var PLUS = '+'.charCodeAt(0)
var SLASH = '/'.charCodeAt(0)
var NUMBER = '0'.charCodeAt(0)
var LOWER = 'a'.charCodeAt(0)
var UPPER = 'A'.charCodeAt(0)
var PLUS_URL_SAFE = '-'.charCodeAt(0)
var SLASH_URL_SAFE = '_'.charCodeAt(0)
function decode (elt) {
var code = elt.charCodeAt(0)
if (code === PLUS ||
code === PLUS_URL_SAFE)
return 62 // '+'
if (code === SLASH ||
code === SLASH_URL_SAFE)
return 63 // '/'
if (code < NUMBER)
return -1 //no match
if (code < NUMBER + 10)
return code - NUMBER + 26 + 26
if (code < UPPER + 26)
return code - UPPER
if (code < LOWER + 26)
return code - LOWER + 26
}
function b64ToByteArray (b64) {
var i, j, l, tmp, placeHolders, arr
if (b64.length % 4 > 0) {
throw new Error('Invalid string. Length must be a multiple of 4')
}
// the number of equal signs (place holders)
// if there are two placeholders, than the two characters before it
// represent one byte
// if there is only one, then the three characters before it represent 2 bytes
// this is just a cheap hack to not do indexOf twice
var len = b64.length
placeHolders = '=' === b64.charAt(len - 2) ? 2 : '=' === b64.charAt(len - 1) ? 1 : 0
// base64 is 4/3 + up to two characters of the original data
arr = new Arr(b64.length * 3 / 4 - placeHolders)
// if there are placeholders, only get up to the last complete 4 chars
l = placeHolders > 0 ? b64.length - 4 : b64.length
var L = 0
function push (v) {
arr[L++] = v
}
for (i = 0, j = 0; i < l; i += 4, j += 3) {
tmp = (decode(b64.charAt(i)) << 18) | (decode(b64.charAt(i + 1)) << 12) | (decode(b64.charAt(i + 2)) << 6) | decode(b64.charAt(i + 3))
push((tmp & 0xFF0000) >> 16)
push((tmp & 0xFF00) >> 8)
push(tmp & 0xFF)
}
if (placeHolders === 2) {
tmp = (decode(b64.charAt(i)) << 2) | (decode(b64.charAt(i + 1)) >> 4)
push(tmp & 0xFF)
} else if (placeHolders === 1) {
tmp = (decode(b64.charAt(i)) << 10) | (decode(b64.charAt(i + 1)) << 4) | (decode(b64.charAt(i + 2)) >> 2)
push((tmp >> 8) & 0xFF)
push(tmp & 0xFF)
}
return arr
}
function uint8ToBase64 (uint8) {
var i,
extraBytes = uint8.length % 3, // if we have 1 byte left, pad 2 bytes
output = "",
temp, length
function encode (num) {
return lookup.charAt(num)
}
function tripletToBase64 (num) {
return encode(num >> 18 & 0x3F) + encode(num >> 12 & 0x3F) + encode(num >> 6 & 0x3F) + encode(num & 0x3F)
}
// go through the array every three bytes, we'll deal with trailing stuff later
for (i = 0, length = uint8.length - extraBytes; i < length; i += 3) {
temp = (uint8[i] << 16) + (uint8[i + 1] << 8) + (uint8[i + 2])
output += tripletToBase64(temp)
}
// pad the end with zeros, but make sure to not forget the extra bytes
switch (extraBytes) {
case 1:
temp = uint8[uint8.length - 1]
output += encode(temp >> 2)
output += encode((temp << 4) & 0x3F)
output += '=='
break
case 2:
temp = (uint8[uint8.length - 2] << 8) + (uint8[uint8.length - 1])
output += encode(temp >> 10)
output += encode((temp >> 4) & 0x3F)
output += encode((temp << 2) & 0x3F)
output += '='
break
}
return output
}
exports.toByteArray = b64ToByteArray
exports.fromByteArray = uint8ToBase64
}(typeof exports === 'undefined' ? (this.base64js = {}) : exports))
},{}],8:[function(_dereq_,module,exports){
},{}],9:[function(_dereq_,module,exports){
(function (global){
/*!
* The buffer module from node.js, for the browser.
*
* @author Feross Aboukhadijeh <feross@feross.org> <http://feross.org>
* @license MIT
*/
/* eslint-disable no-proto */
'use strict'
var base64 = _dereq_(7)
var ieee754 = _dereq_(13)
var isArray = _dereq_(10)
exports.Buffer = Buffer
exports.SlowBuffer = SlowBuffer
exports.INSPECT_MAX_BYTES = 50
Buffer.poolSize = 8192 // not used by this implementation
var rootParent = {}
/**
* If `Buffer.TYPED_ARRAY_SUPPORT`:
* === true Use Uint8Array implementation (fastest)
* === false Use Object implementation (most compatible, even IE6)
*
* Browsers that support typed arrays are IE 10+, Firefox 4+, Chrome 7+, Safari 5.1+,
* Opera 11.6+, iOS 4.2+.
*
* Due to various browser bugs, sometimes the Object implementation will be used even
* when the browser supports typed arrays.
*
* Note:
*
* - Firefox 4-29 lacks support for adding new properties to `Uint8Array` instances,
* See: https://bugzilla.mozilla.org/show_bug.cgi?id=695438.
*
* - Safari 5-7 lacks support for changing the `Object.prototype.constructor` property
* on objects.
*
* - Chrome 9-10 is missing the `TypedArray.prototype.subarray` function.
*
* - IE10 has a broken `TypedArray.prototype.subarray` function which returns arrays of
* incorrect length in some situations.
* We detect these buggy browsers and set `Buffer.TYPED_ARRAY_SUPPORT` to `false` so they
* get the Object implementation, which is slower but behaves correctly.
*/
Buffer.TYPED_ARRAY_SUPPORT = global.TYPED_ARRAY_SUPPORT !== undefined
? global.TYPED_ARRAY_SUPPORT
: typedArraySupport()
function typedArraySupport () {
function Bar () {}
try {
var arr = new Uint8Array(1)
arr.foo = function () { return 42 }
arr.constructor = Bar
return arr.foo() === 42 && // typed array instances can be augmented
arr.constructor === Bar && // constructor can be set
typeof arr.subarray === 'function' && // chrome 9-10 lack `subarray`
arr.subarray(1, 1).byteLength === 0 // ie10 has broken `subarray`
} catch (e) {
return false
}
}
function kMaxLength () {
return Buffer.TYPED_ARRAY_SUPPORT
? 0x7fffffff
: 0x3fffffff
}
/**
* Class: Buffer
* =============
*
* The Buffer constructor returns instances of `Uint8Array` that are augmented
* with function properties for all the node `Buffer` API functions. We use
* `Uint8Array` so that square bracket notation works as expected -- it returns
* a single octet.
*
* By augmenting the instances, we can avoid modifying the `Uint8Array`
* prototype.
*/
function Buffer (arg) {
if (!(this instanceof Buffer)) {
// Avoid going through an ArgumentsAdaptorTrampoline in the common case.
if (arguments.length > 1) return new Buffer(arg, arguments[1])
return new Buffer(arg)
}
if (!Buffer.TYPED_ARRAY_SUPPORT) {
this.length = 0
this.parent = undefined
}
// Common case.
if (typeof arg === 'number') {
return fromNumber(this, arg)
}
// Slightly less common case.
if (typeof arg === 'string') {
return fromString(this, arg, arguments.length > 1 ? arguments[1] : 'utf8')
}
// Unusual.
return fromObject(this, arg)
}
function fromNumber (that, length) {
that = allocate(that, length < 0 ? 0 : checked(length) | 0)
if (!Buffer.TYPED_ARRAY_SUPPORT) {
for (var i = 0; i < length; i++) {
that[i] = 0
}
}
return that
}
function fromString (that, string, encoding) {
if (typeof encoding !== 'string' || encoding === '') encoding = 'utf8'
// Assumption: byteLength() return value is always < kMaxLength.
var length = byteLength(string, encoding) | 0
that = allocate(that, length)
that.write(string, encoding)
return that
}
function fromObject (that, object) {
if (Buffer.isBuffer(object)) return fromBuffer(that, object)
if (isArray(object)) return fromArray(that, object)
if (object == null) {
throw new TypeError('must start with number, buffer, array or string')
}
if (typeof ArrayBuffer !== 'undefined') {
if (object.buffer instanceof ArrayBuffer) {
return fromTypedArray(that, object)
}
if (object instanceof ArrayBuffer) {
return fromArrayBuffer(that, object)
}
}
if (object.length) return fromArrayLike(that, object)
return fromJsonObject(that, object)
}
function fromBuffer (that, buffer) {
var length = checked(buffer.length) | 0
that = allocate(that, length)
buffer.copy(that, 0, 0, length)
return that
}
function fromArray (that, array) {
var length = checked(array.length) | 0
that = allocate(that, length)
for (var i = 0; i < length; i += 1) {
that[i] = array[i] & 255
}
return that
}
// Duplicate of fromArray() to keep fromArray() monomorphic.
function fromTypedArray (that, array) {
var length = checked(array.length) | 0
that = allocate(that, length)
// Truncating the elements is probably not what people expect from typed
// arrays with BYTES_PER_ELEMENT > 1 but it's compatible with the behavior
// of the old Buffer constructor.
for (var i = 0; i < length; i += 1) {
that[i] = array[i] & 255
}
return that
}
function fromArrayBuffer (that, array) {
if (Buffer.TYPED_ARRAY_SUPPORT) {
// Return an augmented `Uint8Array` instance, for best performance
array.byteLength
that = Buffer._augment(new Uint8Array(array))
} else {
// Fallback: Return an object instance of the Buffer class
that = fromTypedArray(that, new Uint8Array(array))
}
return that
}
function fromArrayLike (that, array) {
var length = checked(array.length) | 0
that = allocate(that, length)
for (var i = 0; i < length; i += 1) {
that[i] = array[i] & 255
}
return that
}
// Deserialize { type: 'Buffer', data: [1,2,3,...] } into a Buffer object.
// Returns a zero-length buffer for inputs that don't conform to the spec.
function fromJsonObject (that, object) {
var array
var length = 0
if (object.type === 'Buffer' && isArray(object.data)) {
array = object.data
length = checked(array.length) | 0
}
that = allocate(that, length)
for (var i = 0; i < length; i += 1) {
that[i] = array[i] & 255
}
return that
}
if (Buffer.TYPED_ARRAY_SUPPORT) {
Buffer.prototype.__proto__ = Uint8Array.prototype
Buffer.__proto__ = Uint8Array
} else {
// pre-set for values that may exist in the future
Buffer.prototype.length = undefined
Buffer.prototype.parent = undefined
}
function allocate (that, length) {
if (Buffer.TYPED_ARRAY_SUPPORT) {
// Return an augmented `Uint8Array` instance, for best performance
that = Buffer._augment(new Uint8Array(length))
that.__proto__ = Buffer.prototype
} else {
// Fallback: Return an object instance of the Buffer class
that.length = length
that._isBuffer = true
}
var fromPool = length !== 0 && length <= Buffer.poolSize >>> 1
if (fromPool) that.parent = rootParent
return that
}
function checked (length) {
// Note: cannot use `length < kMaxLength` here because that fails when
// length is NaN (which is otherwise coerced to zero.)
if (length >= kMaxLength()) {
throw new RangeError('Attempt to allocate Buffer larger than maximum ' +
'size: 0x' + kMaxLength().toString(16) + ' bytes')
}
return length | 0
}
function SlowBuffer (subject, encoding) {
if (!(this instanceof SlowBuffer)) return new SlowBuffer(subject, encoding)
var buf = new Buffer(subject, encoding)
delete buf.parent
return buf
}
Buffer.isBuffer = function isBuffer (b) {
return !!(b != null && b._isBuffer)
}
Buffer.compare = function compare (a, b) {
if (!Buffer.isBuffer(a) || !Buffer.isBuffer(b)) {
throw new TypeError('Arguments must be Buffers')
}
if (a === b) return 0
var x = a.length
var y = b.length
var i = 0
var len = Math.min(x, y)
while (i < len) {
if (a[i] !== b[i]) break
++i
}
if (i !== len) {
x = a[i]
y = b[i]
}
if (x < y) return -1
if (y < x) return 1
return 0
}
Buffer.isEncoding = function isEncoding (encoding) {
switch (String(encoding).toLowerCase()) {
case 'hex':
case 'utf8':
case 'utf-8':
case 'ascii':
case 'binary':
case 'base64':
case 'raw':
case 'ucs2':
case 'ucs-2':
case 'utf16le':
case 'utf-16le':
return true
default:
return false
}
}
Buffer.concat = function concat (list, length) {
if (!isArray(list)) throw new TypeError('list argument must be an Array of Buffers.')
if (list.length === 0) {
return new Buffer(0)
}
var i
if (length === undefined) {
length = 0
for (i = 0; i < list.length; i++) {
length += list[i].length
}
}
var buf = new Buffer(length)
var pos = 0
for (i = 0; i < list.length; i++) {
var item = list[i]
item.copy(buf, pos)
pos += item.length
}
return buf
}
function byteLength (string, encoding) {
if (typeof string !== 'string') string = '' + string
var len = string.length
if (len === 0) return 0
// Use a for loop to avoid recursion
var loweredCase = false
for (;;) {
switch (encoding) {
case 'ascii':
case 'binary':
// Deprecated
case 'raw':
case 'raws':
return len
case 'utf8':
case 'utf-8':
return utf8ToBytes(string).length
case 'ucs2':
case 'ucs-2':
case 'utf16le':
case 'utf-16le':
return len * 2
case 'hex':
return len >>> 1
case 'base64':
return base64ToBytes(string).length
default:
if (loweredCase) return utf8ToBytes(string).length // assume utf8
encoding = ('' + encoding).toLowerCase()
loweredCase = true
}
}
}
Buffer.byteLength = byteLength
function slowToString (encoding, start, end) {
var loweredCase = false
start = start | 0
end = end === undefined || end === Infinity ? this.length : end | 0
if (!encoding) encoding = 'utf8'
if (start < 0) start = 0
if (end > this.length) end = this.length
if (end <= start) return ''
while (true) {
switch (encoding) {
case 'hex':
return hexSlice(this, start, end)
case 'utf8':
case 'utf-8':
return utf8Slice(this, start, end)
case 'ascii':
return asciiSlice(this, start, end)
case 'binary':
return binarySlice(this, start, end)
case 'base64':
return base64Slice(this, start, end)
case 'ucs2':
case 'ucs-2':
case 'utf16le':
case 'utf-16le':
return utf16leSlice(this, start, end)
default:
if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding)
encoding = (encoding + '').toLowerCase()
loweredCase = true
}
}
}
Buffer.prototype.toString = function toString () {
var length = this.length | 0
if (length === 0) return ''
if (arguments.length === 0) return utf8Slice(this, 0, length)
return slowToString.apply(this, arguments)
}
Buffer.prototype.equals = function equals (b) {
if (!Buffer.isBuffer(b)) throw new TypeError('Argument must be a Buffer')
if (this === b) return true
return Buffer.compare(this, b) === 0
}
Buffer.prototype.inspect = function inspect () {
var str = ''
var max = exports.INSPECT_MAX_BYTES
if (this.length > 0) {
str = this.toString('hex', 0, max).match(/.{2}/g).join(' ')
if (this.length > max) str += ' ... '
}
return '<Buffer ' + str + '>'
}
Buffer.prototype.compare = function compare (b) {
if (!Buffer.isBuffer(b)) throw new TypeError('Argument must be a Buffer')
if (this === b) return 0
return Buffer.compare(this, b)
}
Buffer.prototype.indexOf = function indexOf (val, byteOffset) {
if (byteOffset > 0x7fffffff) byteOffset = 0x7fffffff
else if (byteOffset < -0x80000000) byteOffset = -0x80000000
byteOffset >>= 0
if (this.length === 0) return -1
if (byteOffset >= this.length) return -1
// Negative offsets start from the end of the buffer
if (byteOffset < 0) byteOffset = Math.max(this.length + byteOffset, 0)
if (typeof val === 'string') {
if (val.length === 0) return -1 // special case: looking for empty string always fails
return String.prototype.indexOf.call(this, val, byteOffset)
}
if (Buffer.isBuffer(val)) {
return arrayIndexOf(this, val, byteOffset)
}
if (typeof val === 'number') {
if (Buffer.TYPED_ARRAY_SUPPORT && Uint8Array.prototype.indexOf === 'function') {
return Uint8Array.prototype.indexOf.call(this, val, byteOffset)
}
return arrayIndexOf(this, [ val ], byteOffset)
}
function arrayIndexOf (arr, val, byteOffset) {
var foundIndex = -1
for (var i = 0; byteOffset + i < arr.length; i++) {
if (arr[byteOffset + i] === val[foundIndex === -1 ? 0 : i - foundIndex]) {
if (foundIndex === -1) foundIndex = i
if (i - foundIndex + 1 === val.length) return byteOffset + foundIndex
} else {
foundIndex = -1
}
}
return -1
}
throw new TypeError('val must be string, number or Buffer')
}
// `get` is deprecated
Buffer.prototype.get = function get (offset) {
console.log('.get() is deprecated. Access using array indexes instead.')
return this.readUInt8(offset)
}
// `set` is deprecated
Buffer.prototype.set = function set (v, offset) {
console.log('.set() is deprecated. Access using array indexes instead.')
return this.writeUInt8(v, offset)
}
function hexWrite (buf, string, offset, length) {
offset = Number(offset) || 0
var remaining = buf.length - offset
if (!length) {
length = remaining
} else {
length = Number(length)
if (length > remaining) {
length = remaining
}
}
// must be an even number of digits
var strLen = string.length
if (strLen % 2 !== 0) throw new Error('Invalid hex string')
if (length > strLen / 2) {
length = strLen / 2
}
for (var i = 0; i < length; i++) {
var parsed = parseInt(string.substr(i * 2, 2), 16)
if (isNaN(parsed)) throw new Error('Invalid hex string')
buf[offset + i] = parsed
}
return i
}
function utf8Write (buf, string, offset, length) {
return blitBuffer(utf8ToBytes(string, buf.length - offset), buf, offset, length)
}
function asciiWrite (buf, string, offset, length) {
return blitBuffer(asciiToBytes(string), buf, offset, length)
}
function binaryWrite (buf, string, offset, length) {
return asciiWrite(buf, string, offset, length)
}
function base64Write (buf, string, offset, length) {
return blitBuffer(base64ToBytes(string), buf, offset, length)
}
function ucs2Write (buf, string, offset, length) {
return blitBuffer(utf16leToBytes(string, buf.length - offset), buf, offset, length)
}
Buffer.prototype.write = function write (string, offset, length, encoding) {
// Buffer#write(string)
if (offset === undefined) {
encoding = 'utf8'
length = this.length
offset = 0
// Buffer#write(string, encoding)
} else if (length === undefined && typeof offset === 'string') {
encoding = offset
length = this.length
offset = 0
// Buffer#write(string, offset[, length][, encoding])
} else if (isFinite(offset)) {
offset = offset | 0
if (isFinite(length)) {
length = length | 0
if (encoding === undefined) encoding = 'utf8'
} else {
encoding = length
length = undefined
}
// legacy write(string, encoding, offset, length) - remove in v0.13
} else {
var swap = encoding
encoding = offset
offset = length | 0
length = swap
}
var remaining = this.length - offset
if (length === undefined || length > remaining) length = remaining
if ((string.length > 0 && (length < 0 || offset < 0)) || offset > this.length) {
throw new RangeError('attempt to write outside buffer bounds')
}
if (!encoding) encoding = 'utf8'
var loweredCase = false
for (;;) {
switch (encoding) {
case 'hex':
return hexWrite(this, string, offset, length)
case 'utf8':
case 'utf-8':
return utf8Write(this, string, offset, length)
case 'ascii':
return asciiWrite(this, string, offset, length)
case 'binary':
return binaryWrite(this, string, offset, length)
case 'base64':
// Warning: maxLength not taken into account in base64Write
return base64Write(this, string, offset, length)
case 'ucs2':
case 'ucs-2':
case 'utf16le':
case 'utf-16le':
return ucs2Write(this, string, offset, length)
default:
if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding)
encoding = ('' + encoding).toLowerCase()
loweredCase = true
}
}
}
Buffer.prototype.toJSON = function toJSON () {
return {
type: 'Buffer',
data: Array.prototype.slice.call(this._arr || this, 0)
}
}
function base64Slice (buf, start, end) {
if (start === 0 && end === buf.length) {
return base64.fromByteArray(buf)
} else {
return base64.fromByteArray(buf.slice(start, end))
}
}
function utf8Slice (buf, start, end) {
end = Math.min(buf.length, end)
var res = []
var i = start
while (i < end) {
var firstByte = buf[i]
var codePoint = null
var bytesPerSequence = (firstByte > 0xEF) ? 4
: (firstByte > 0xDF) ? 3
: (firstByte > 0xBF) ? 2
: 1
if (i + bytesPerSequence <= end) {
var secondByte, thirdByte, fourthByte, tempCodePoint
switch (bytesPerSequence) {
case 1:
if (firstByte < 0x80) {
codePoint = firstByte
}
break
case 2:
secondByte = buf[i + 1]
if ((secondByte & 0xC0) === 0x80) {
tempCodePoint = (firstByte & 0x1F) << 0x6 | (secondByte & 0x3F)
if (tempCodePoint > 0x7F) {
codePoint = tempCodePoint
}
}
break
case 3:
secondByte = buf[i + 1]
thirdByte = buf[i + 2]
if ((secondByte & 0xC0) === 0x80 && (thirdByte & 0xC0) === 0x80) {
tempCodePoint = (firstByte & 0xF) << 0xC | (secondByte & 0x3F) << 0x6 | (thirdByte & 0x3F)
if (tempCodePoint > 0x7FF && (tempCodePoint < 0xD800 || tempCodePoint > 0xDFFF)) {
codePoint = tempCodePoint
}
}
break
case 4:
secondByte = buf[i + 1]
thirdByte = buf[i + 2]
fourthByte = buf[i + 3]
if ((secondByte & 0xC0) === 0x80 && (thirdByte & 0xC0) === 0x80 && (fourthByte & 0xC0) === 0x80) {
tempCodePoint = (firstByte & 0xF) << 0x12 | (secondByte & 0x3F) << 0xC | (thirdByte & 0x3F) << 0x6 | (fourthByte & 0x3F)
if (tempCodePoint > 0xFFFF && tempCodePoint < 0x110000) {
codePoint = tempCodePoint
}
}
}
}
if (codePoint === null) {
// we did not generate a valid codePoint so insert a
// replacement char (U+FFFD) and advance only 1 byte
codePoint = 0xFFFD
bytesPerSequence = 1
} else if (codePoint > 0xFFFF) {
// encode to utf16 (surrogate pair dance)
codePoint -= 0x10000
res.push(codePoint >>> 10 & 0x3FF | 0xD800)
codePoint = 0xDC00 | codePoint & 0x3FF
}
res.push(codePoint)
i += bytesPerSequence
}
return decodeCodePointsArray(res)
}
// Based on http://stackoverflow.com/a/22747272/680742, the browser with
// the lowest limit is Chrome, with 0x10000 args.
// We go 1 magnitude less, for safety
var MAX_ARGUMENTS_LENGTH = 0x1000
function decodeCodePointsArray (codePoints) {
var len = codePoints.length
if (len <= MAX_ARGUMENTS_LENGTH) {
return String.fromCharCode.apply(String, codePoints) // avoid extra slice()
}
// Decode in chunks to avoid "call stack size exceeded".
var res = ''
var i = 0
while (i < len) {
res += String.fromCharCode.apply(
String,
codePoints.slice(i, i += MAX_ARGUMENTS_LENGTH)
)
}
return res
}
function asciiSlice (buf, start, end) {
var ret = ''
end = Math.min(buf.length, end)
for (var i = start; i < end; i++) {
ret += String.fromCharCode(buf[i] & 0x7F)
}
return ret
}
function binarySlice (buf, start, end) {
var ret = ''
end = Math.min(buf.length, end)
for (var i = start; i < end; i++) {
ret += String.fromCharCode(buf[i])
}
return ret
}
function hexSlice (buf, start, end) {
var len = buf.length
if (!start || start < 0) start = 0
if (!end || end < 0 || end > len) end = len
var out = ''
for (var i = start; i < end; i++) {
out += toHex(buf[i])
}
return out
}
function utf16leSlice (buf, start, end) {
var bytes = buf.slice(start, end)
var res = ''
for (var i = 0; i < bytes.length; i += 2) {
res += String.fromCharCode(bytes[i] + bytes[i + 1] * 256)
}
return res
}
Buffer.prototype.slice = function slice (start, end) {
var len = this.length
start = ~~start
end = end === undefined ? len : ~~end
if (start < 0) {
start += len
if (start < 0) start = 0
} else if (start > len) {
start = len
}
if (end < 0) {
end += len
if (end < 0) end = 0
} else if (end > len) {
end = len
}
if (end < start) end = start
var newBuf
if (Buffer.TYPED_ARRAY_SUPPORT) {
newBuf = Buffer._augment(this.subarray(start, end))
} else {
var sliceLen = end - start
newBuf = new Buffer(sliceLen, undefined)
for (var i = 0; i < sliceLen; i++) {
newBuf[i] = this[i + start]
}
}
if (newBuf.length) newBuf.parent = this.parent || this
return newBuf
}
/*
* Need to make sure that buffer isn't trying to write out of bounds.
*/
function checkOffset (offset, ext, length) {
if ((offset % 1) !== 0 || offset < 0) throw new RangeError('offset is not uint')
if (offset + ext > length) throw new RangeError('Trying to access beyond buffer length')
}
Buffer.prototype.readUIntLE = function readUIntLE (offset, byteLength, noAssert) {
offset = offset | 0
byteLength = byteLength | 0
if (!noAssert) checkOffset(offset, byteLength, this.length)
var val = this[offset]
var mul = 1
var i = 0
while (++i < byteLength && (mul *= 0x100)) {
val += this[offset + i] * mul
}
return val
}
Buffer.prototype.readUIntBE = function readUIntBE (offset, byteLength, noAssert) {
offset = offset | 0
byteLength = byteLength | 0
if (!noAssert) {
checkOffset(offset, byteLength, this.length)
}
var val = this[offset + --byteLength]
var mul = 1
while (byteLength > 0 && (mul *= 0x100)) {
val += this[offset + --byteLength] * mul
}
return val
}
Buffer.prototype.readUInt8 = function readUInt8 (offset, noAssert) {
if (!noAssert) checkOffset(offset, 1, this.length)
return this[offset]
}
Buffer.prototype.readUInt16LE = function readUInt16LE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 2, this.length)
return this[offset] | (this[offset + 1] << 8)
}
Buffer.prototype.readUInt16BE = function readUInt16BE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 2, this.length)
return (this[offset] << 8) | this[offset + 1]
}
Buffer.prototype.readUInt32LE = function readUInt32LE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 4, this.length)
return ((this[offset]) |
(this[offset + 1] << 8) |
(this[offset + 2] << 16)) +
(this[offset + 3] * 0x1000000)
}
Buffer.prototype.readUInt32BE = function readUInt32BE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 4, this.length)
return (this[offset] * 0x1000000) +
((this[offset + 1] << 16) |
(this[offset + 2] << 8) |
this[offset + 3])
}
Buffer.prototype.readIntLE = function readIntLE (offset, byteLength, noAssert) {
offset = offset | 0
byteLength = byteLength | 0
if (!noAssert) checkOffset(offset, byteLength, this.length)
var val = this[offset]
var mul = 1
var i = 0
while (++i < byteLength && (mul *= 0x100)) {
val += this[offset + i] * mul
}
mul *= 0x80
if (val >= mul) val -= Math.pow(2, 8 * byteLength)
return val
}
Buffer.prototype.readIntBE = function readIntBE (offset, byteLength, noAssert) {
offset = offset | 0
byteLength = byteLength | 0
if (!noAssert) checkOffset(offset, byteLength, this.length)
var i = byteLength
var mul = 1
var val = this[offset + --i]
while (i > 0 && (mul *= 0x100)) {
val += this[offset + --i] * mul
}
mul *= 0x80
if (val >= mul) val -= Math.pow(2, 8 * byteLength)
return val
}
Buffer.prototype.readInt8 = function readInt8 (offset, noAssert) {
if (!noAssert) checkOffset(offset, 1, this.length)
if (!(this[offset] & 0x80)) return (this[offset])
return ((0xff - this[offset] + 1) * -1)
}
Buffer.prototype.readInt16LE = function readInt16LE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 2, this.length)
var val = this[offset] | (this[offset + 1] << 8)
return (val & 0x8000) ? val | 0xFFFF0000 : val
}
Buffer.prototype.readInt16BE = function readInt16BE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 2, this.length)
var val = this[offset + 1] | (this[offset] << 8)
return (val & 0x8000) ? val | 0xFFFF0000 : val
}
Buffer.prototype.readInt32LE = function readInt32LE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 4, this.length)
return (this[offset]) |
(this[offset + 1] << 8) |
(this[offset + 2] << 16) |
(this[offset + 3] << 24)
}
Buffer.prototype.readInt32BE = function readInt32BE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 4, this.length)
return (this[offset] << 24) |
(this[offset + 1] << 16) |
(this[offset + 2] << 8) |
(this[offset + 3])
}
Buffer.prototype.readFloatLE = function readFloatLE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 4, this.length)
return ieee754.read(this, offset, true, 23, 4)
}
Buffer.prototype.readFloatBE = function readFloatBE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 4, this.length)
return ieee754.read(this, offset, false, 23, 4)
}
Buffer.prototype.readDoubleLE = function readDoubleLE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 8, this.length)
return ieee754.read(this, offset, true, 52, 8)
}
Buffer.prototype.readDoubleBE = function readDoubleBE (offset, noAssert) {
if (!noAssert) checkOffset(offset, 8, this.length)
return ieee754.read(this, offset, false, 52, 8)
}
function checkInt (buf, value, offset, ext, max, min) {
if (!Buffer.isBuffer(buf)) throw new TypeError('buffer must be a Buffer instance')
if (value > max || value < min) throw new RangeError('value is out of bounds')
if (offset + ext > buf.length) throw new RangeError('index out of range')
}
Buffer.prototype.writeUIntLE = function writeUIntLE (value, offset, byteLength, noAssert) {
value = +value
offset = offset | 0
byteLength = byteLength | 0
if (!noAssert) checkInt(this, value, offset, byteLength, Math.pow(2, 8 * byteLength), 0)
var mul = 1
var i = 0
this[offset] = value & 0xFF
while (++i < byteLength && (mul *= 0x100)) {
this[offset + i] = (value / mul) & 0xFF
}
return offset + byteLength
}
Buffer.prototype.writeUIntBE = function writeUIntBE (value, offset, byteLength, noAssert) {
value = +value
offset = offset | 0
byteLength = byteLength | 0
if (!noAssert) checkInt(this, value, offset, byteLength, Math.pow(2, 8 * byteLength), 0)
var i = byteLength - 1
var mul = 1
this[offset + i] = value & 0xFF
while (--i >= 0 && (mul *= 0x100)) {
this[offset + i] = (value / mul) & 0xFF
}
return offset + byteLength
}
Buffer.prototype.writeUInt8 = function writeUInt8 (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 1, 0xff, 0)
if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value)
this[offset] = (value & 0xff)
return offset + 1
}
function objectWriteUInt16 (buf, value, offset, littleEndian) {
if (value < 0) value = 0xffff + value + 1
for (var i = 0, j = Math.min(buf.length - offset, 2); i < j; i++) {
buf[offset + i] = (value & (0xff << (8 * (littleEndian ? i : 1 - i)))) >>>
(littleEndian ? i : 1 - i) * 8
}
}
Buffer.prototype.writeUInt16LE = function writeUInt16LE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value & 0xff)
this[offset + 1] = (value >>> 8)
} else {
objectWriteUInt16(this, value, offset, true)
}
return offset + 2
}
Buffer.prototype.writeUInt16BE = function writeUInt16BE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value >>> 8)
this[offset + 1] = (value & 0xff)
} else {
objectWriteUInt16(this, value, offset, false)
}
return offset + 2
}
function objectWriteUInt32 (buf, value, offset, littleEndian) {
if (value < 0) value = 0xffffffff + value + 1
for (var i = 0, j = Math.min(buf.length - offset, 4); i < j; i++) {
buf[offset + i] = (value >>> (littleEndian ? i : 3 - i) * 8) & 0xff
}
}
Buffer.prototype.writeUInt32LE = function writeUInt32LE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset + 3] = (value >>> 24)
this[offset + 2] = (value >>> 16)
this[offset + 1] = (value >>> 8)
this[offset] = (value & 0xff)
} else {
objectWriteUInt32(this, value, offset, true)
}
return offset + 4
}
Buffer.prototype.writeUInt32BE = function writeUInt32BE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value >>> 24)
this[offset + 1] = (value >>> 16)
this[offset + 2] = (value >>> 8)
this[offset + 3] = (value & 0xff)
} else {
objectWriteUInt32(this, value, offset, false)
}
return offset + 4
}
Buffer.prototype.writeIntLE = function writeIntLE (value, offset, byteLength, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) {
var limit = Math.pow(2, 8 * byteLength - 1)
checkInt(this, value, offset, byteLength, limit - 1, -limit)
}
var i = 0
var mul = 1
var sub = value < 0 ? 1 : 0
this[offset] = value & 0xFF
while (++i < byteLength && (mul *= 0x100)) {
this[offset + i] = ((value / mul) >> 0) - sub & 0xFF
}
return offset + byteLength
}
Buffer.prototype.writeIntBE = function writeIntBE (value, offset, byteLength, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) {
var limit = Math.pow(2, 8 * byteLength - 1)
checkInt(this, value, offset, byteLength, limit - 1, -limit)
}
var i = byteLength - 1
var mul = 1
var sub = value < 0 ? 1 : 0
this[offset + i] = value & 0xFF
while (--i >= 0 && (mul *= 0x100)) {
this[offset + i] = ((value / mul) >> 0) - sub & 0xFF
}
return offset + byteLength
}
Buffer.prototype.writeInt8 = function writeInt8 (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 1, 0x7f, -0x80)
if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value)
if (value < 0) value = 0xff + value + 1
this[offset] = (value & 0xff)
return offset + 1
}
Buffer.prototype.writeInt16LE = function writeInt16LE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value & 0xff)
this[offset + 1] = (value >>> 8)
} else {
objectWriteUInt16(this, value, offset, true)
}
return offset + 2
}
Buffer.prototype.writeInt16BE = function writeInt16BE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value >>> 8)
this[offset + 1] = (value & 0xff)
} else {
objectWriteUInt16(this, value, offset, false)
}
return offset + 2
}
Buffer.prototype.writeInt32LE = function writeInt32LE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000)
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value & 0xff)
this[offset + 1] = (value >>> 8)
this[offset + 2] = (value >>> 16)
this[offset + 3] = (value >>> 24)
} else {
objectWriteUInt32(this, value, offset, true)
}
return offset + 4
}
Buffer.prototype.writeInt32BE = function writeInt32BE (value, offset, noAssert) {
value = +value
offset = offset | 0
if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000)
if (value < 0) value = 0xffffffff + value + 1
if (Buffer.TYPED_ARRAY_SUPPORT) {
this[offset] = (value >>> 24)
this[offset + 1] = (value >>> 16)
this[offset + 2] = (value >>> 8)
this[offset + 3] = (value & 0xff)
} else {
objectWriteUInt32(this, value, offset, false)
}
return offset + 4
}
function checkIEEE754 (buf, value, offset, ext, max, min) {
if (value > max || value < min) throw new RangeError('value is out of bounds')
if (offset + ext > buf.length) throw new RangeError('index out of range')
if (offset < 0) throw new RangeError('index out of range')
}
function writeFloat (buf, value, offset, littleEndian, noAssert) {
if (!noAssert) {
checkIEEE754(buf, value, offset, 4, 3.4028234663852886e+38, -3.4028234663852886e+38)
}
ieee754.write(buf, value, offset, littleEndian, 23, 4)
return offset + 4
}
Buffer.prototype.writeFloatLE = function writeFloatLE (value, offset, noAssert) {
return writeFloat(this, value, offset, true, noAssert)
}
Buffer.prototype.writeFloatBE = function writeFloatBE (value, offset, noAssert) {
return writeFloat(this, value, offset, false, noAssert)
}
function writeDouble (buf, value, offset, littleEndian, noAssert) {
if (!noAssert) {
checkIEEE754(buf, value, offset, 8, 1.7976931348623157E+308, -1.7976931348623157E+308)
}
ieee754.write(buf, value, offset, littleEndian, 52, 8)
return offset + 8
}
Buffer.prototype.writeDoubleLE = function writeDoubleLE (value, offset, noAssert) {
return writeDouble(this, value, offset, true, noAssert)
}
Buffer.prototype.writeDoubleBE = function writeDoubleBE (value, offset, noAssert) {
return writeDouble(this, value, offset, false, noAssert)
}
// copy(targetBuffer, targetStart=0, sourceStart=0, sourceEnd=buffer.length)
Buffer.prototype.copy = function copy (target, targetStart, start, end) {
if (!start) start = 0
if (!end && end !== 0) end = this.length
if (targetStart >= target.length) targetStart = target.length
if (!targetStart) targetStart = 0
if (end > 0 && end < start) end = start
// Copy 0 bytes; we're done
if (end === start) return 0
if (target.length === 0 || this.length === 0) return 0
// Fatal error conditions
if (targetStart < 0) {
throw new RangeError('targetStart out of bounds')
}
if (start < 0 || start >= this.length) throw new RangeError('sourceStart out of bounds')
if (end < 0) throw new RangeError('sourceEnd out of bounds')
// Are we oob?
if (end > this.length) end = this.length
if (target.length - targetStart < end - start) {
end = target.length - targetStart + start
}
var len = end - start
var i
if (this === target && start < targetStart && targetStart < end) {
// descending copy from end
for (i = len - 1; i >= 0; i--) {
target[i + targetStart] = this[i + start]
}
} else if (len < 1000 || !Buffer.TYPED_ARRAY_SUPPORT) {
// ascending copy from start
for (i = 0; i < len; i++) {
target[i + targetStart] = this[i + start]
}
} else {
target._set(this.subarray(start, start + len), targetStart)
}
return len
}
// fill(value, start=0, end=buffer.length)
Buffer.prototype.fill = function fill (value, start, end) {
if (!value) value = 0
if (!start) start = 0
if (!end) end = this.length
if (end < start) throw new RangeError('end < start')
// Fill 0 bytes; we're done
if (end === start) return
if (this.length === 0) return
if (start < 0 || start >= this.length) throw new RangeError('start out of bounds')
if (end < 0 || end > this.length) throw new RangeError('end out of bounds')
var i
if (typeof value === 'number') {
for (i = start; i < end; i++) {
this[i] = value
}
} else {
var bytes = utf8ToBytes(value.toString())
var len = bytes.length
for (i = start; i < end; i++) {
this[i] = bytes[i % len]
}
}
return this
}
/**
* Creates a new `ArrayBuffer` with the *copied* memory of the buffer instance.
* Added in Node 0.12. Only available in browsers that support ArrayBuffer.
*/
Buffer.prototype.toArrayBuffer = function toArrayBuffer () {
if (typeof Uint8Array !== 'undefined') {
if (Buffer.TYPED_ARRAY_SUPPORT) {
return (new Buffer(this)).buffer
} else {
var buf = new Uint8Array(this.length)
for (var i = 0, len = buf.length; i < len; i += 1) {
buf[i] = this[i]
}
return buf.buffer
}
} else {
throw new TypeError('Buffer.toArrayBuffer not supported in this browser')
}
}
// HELPER FUNCTIONS
// ================
var BP = Buffer.prototype
/**
* Augment a Uint8Array *instance* (not the Uint8Array class!) with Buffer methods
*/
Buffer._augment = function _augment (arr) {
arr.constructor = Buffer
arr._isBuffer = true
// save reference to original Uint8Array set method before overwriting
arr._set = arr.set
// deprecated
arr.get = BP.get
arr.set = BP.set
arr.write = BP.write
arr.toString = BP.toString
arr.toLocaleString = BP.toString
arr.toJSON = BP.toJSON
arr.equals = BP.equals
arr.compare = BP.compare
arr.indexOf = BP.indexOf
arr.copy = BP.copy
arr.slice = BP.slice
arr.readUIntLE = BP.readUIntLE
arr.readUIntBE = BP.readUIntBE
arr.readUInt8 = BP.readUInt8
arr.readUInt16LE = BP.readUInt16LE
arr.readUInt16BE = BP.readUInt16BE
arr.readUInt32LE = BP.readUInt32LE
arr.readUInt32BE = BP.readUInt32BE
arr.readIntLE = BP.readIntLE
arr.readIntBE = BP.readIntBE
arr.readInt8 = BP.readInt8
arr.readInt16LE = BP.readInt16LE
arr.readInt16BE = BP.readInt16BE
arr.readInt32LE = BP.readInt32LE
arr.readInt32BE = BP.readInt32BE
arr.readFloatLE = BP.readFloatLE
arr.readFloatBE = BP.readFloatBE
arr.readDoubleLE = BP.readDoubleLE
arr.readDoubleBE = BP.readDoubleBE
arr.writeUInt8 = BP.writeUInt8
arr.writeUIntLE = BP.writeUIntLE
arr.writeUIntBE = BP.writeUIntBE
arr.writeUInt16LE = BP.writeUInt16LE
arr.writeUInt16BE = BP.writeUInt16BE
arr.writeUInt32LE = BP.writeUInt32LE
arr.writeUInt32BE = BP.writeUInt32BE
arr.writeIntLE = BP.writeIntLE
arr.writeIntBE = BP.writeIntBE
arr.writeInt8 = BP.writeInt8
arr.writeInt16LE = BP.writeInt16LE
arr.writeInt16BE = BP.writeInt16BE
arr.writeInt32LE = BP.writeInt32LE
arr.writeInt32BE = BP.writeInt32BE
arr.writeFloatLE = BP.writeFloatLE
arr.writeFloatBE = BP.writeFloatBE
arr.writeDoubleLE = BP.writeDoubleLE
arr.writeDoubleBE = BP.writeDoubleBE
arr.fill = BP.fill
arr.inspect = BP.inspect
arr.toArrayBuffer = BP.toArrayBuffer
return arr
}
var INVALID_BASE64_RE = /[^+\/0-9A-Za-z-_]/g
function base64clean (str) {
// Node strips out invalid characters like \n and \t from the string, base64-js does not
str = stringtrim(str).replace(INVALID_BASE64_RE, '')
// Node converts strings with length < 2 to ''
if (str.length < 2) return ''
// Node allows for non-padded base64 strings (missing trailing ===), base64-js does not
while (str.length % 4 !== 0) {
str = str + '='
}
return str
}
function stringtrim (str) {
if (str.trim) return str.trim()
return str.replace(/^\s+|\s+$/g, '')
}
function toHex (n) {
if (n < 16) return '0' + n.toString(16)
return n.toString(16)
}
function utf8ToBytes (string, units) {
units = units || Infinity
var codePoint
var length = string.length
var leadSurrogate = null
var bytes = []
for (var i = 0; i < length; i++) {
codePoint = string.charCodeAt(i)
// is surrogate component
if (codePoint > 0xD7FF && codePoint < 0xE000) {
// last char was a lead
if (!leadSurrogate) {
// no lead yet
if (codePoint > 0xDBFF) {
// unexpected trail
if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD)
continue
} else if (i + 1 === length) {
// unpaired lead
if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD)
continue
}
// valid lead
leadSurrogate = codePoint
continue
}
// 2 leads in a row
if (codePoint < 0xDC00) {
if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD)
leadSurrogate = codePoint
continue
}
// valid surrogate pair
codePoint = (leadSurrogate - 0xD800 << 10 | codePoint - 0xDC00) + 0x10000
} else if (leadSurrogate) {
// valid bmp char, but last char was a lead
if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD)
}
leadSurrogate = null
// encode utf8
if (codePoint < 0x80) {
if ((units -= 1) < 0) break
bytes.push(codePoint)
} else if (codePoint < 0x800) {
if ((units -= 2) < 0) break
bytes.push(
codePoint >> 0x6 | 0xC0,
codePoint & 0x3F | 0x80
)
} else if (codePoint < 0x10000) {
if ((units -= 3) < 0) break
bytes.push(
codePoint >> 0xC | 0xE0,
codePoint >> 0x6 & 0x3F | 0x80,
codePoint & 0x3F | 0x80
)
} else if (codePoint < 0x110000) {
if ((units -= 4) < 0) break
bytes.push(
codePoint >> 0x12 | 0xF0,
codePoint >> 0xC & 0x3F | 0x80,
codePoint >> 0x6 & 0x3F | 0x80,
codePoint & 0x3F | 0x80
)
} else {
throw new Error('Invalid code point')
}
}
return bytes
}
function asciiToBytes (str) {
var byteArray = []
for (var i = 0; i < str.length; i++) {
// Node's code seems to be doing this and not & 0x7F..
byteArray.push(str.charCodeAt(i) & 0xFF)
}
return byteArray
}
function utf16leToBytes (str, units) {
var c, hi, lo
var byteArray = []
for (var i = 0; i < str.length; i++) {
if ((units -= 2) < 0) break
c = str.charCodeAt(i)
hi = c >> 8
lo = c % 256
byteArray.push(lo)
byteArray.push(hi)
}
return byteArray
}
function base64ToBytes (str) {
return base64.toByteArray(base64clean(str))
}
function blitBuffer (src, dst, offset, length) {
for (var i = 0; i < length; i++) {
if ((i + offset >= dst.length) || (i >= src.length)) break
dst[i + offset] = src[i]
}
return i
}
}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
},{"10":10,"13":13,"7":7}],10:[function(_dereq_,module,exports){
var toString = {}.toString;
module.exports = Array.isArray || function (arr) {
return toString.call(arr) == '[object Array]';
};
},{}],11:[function(_dereq_,module,exports){
(function (Buffer){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
// NOTE: These type checking functions intentionally don't use `instanceof`
// because it is fragile and can be easily faked with `Object.create()`.
function isArray(arg) {
if (Array.isArray) {
return Array.isArray(arg);
}
return objectToString(arg) === '[object Array]';
}
exports.isArray = isArray;
function isBoolean(arg) {
return typeof arg === 'boolean';
}
exports.isBoolean = isBoolean;
function isNull(arg) {
return arg === null;
}
exports.isNull = isNull;
function isNullOrUndefined(arg) {
return arg == null;
}
exports.isNullOrUndefined = isNullOrUndefined;
function isNumber(arg) {
return typeof arg === 'number';
}
exports.isNumber = isNumber;
function isString(arg) {
return typeof arg === 'string';
}
exports.isString = isString;
function isSymbol(arg) {
return typeof arg === 'symbol';
}
exports.isSymbol = isSymbol;
function isUndefined(arg) {
return arg === void 0;
}
exports.isUndefined = isUndefined;
function isRegExp(re) {
return objectToString(re) === '[object RegExp]';
}
exports.isRegExp = isRegExp;
function isObject(arg) {
return typeof arg === 'object' && arg !== null;
}
exports.isObject = isObject;
function isDate(d) {
return objectToString(d) === '[object Date]';
}
exports.isDate = isDate;
function isError(e) {
return (objectToString(e) === '[object Error]' || e instanceof Error);
}
exports.isError = isError;
function isFunction(arg) {
return typeof arg === 'function';
}
exports.isFunction = isFunction;
function isPrimitive(arg) {
return arg === null ||
typeof arg === 'boolean' ||
typeof arg === 'number' ||
typeof arg === 'string' ||
typeof arg === 'symbol' || // ES6 symbol
typeof arg === 'undefined';
}
exports.isPrimitive = isPrimitive;
exports.isBuffer = Buffer.isBuffer;
function objectToString(o) {
return Object.prototype.toString.call(o);
}
}).call(this,{"isBuffer":_dereq_(15)})
},{"15":15}],12:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
function EventEmitter() {
this._events = this._events || {};
this._maxListeners = this._maxListeners || undefined;
}
module.exports = EventEmitter;
// Backwards-compat with node 0.10.x
EventEmitter.EventEmitter = EventEmitter;
EventEmitter.prototype._events = undefined;
EventEmitter.prototype._maxListeners = undefined;
// By default EventEmitters will print a warning if more than 10 listeners are
// added to it. This is a useful default which helps finding memory leaks.
EventEmitter.defaultMaxListeners = 10;
// Obviously not all Emitters should be limited to 10. This function allows
// that to be increased. Set to zero for unlimited.
EventEmitter.prototype.setMaxListeners = function(n) {
if (!isNumber(n) || n < 0 || isNaN(n))
throw TypeError('n must be a positive number');
this._maxListeners = n;
return this;
};
EventEmitter.prototype.emit = function(type) {
var er, handler, len, args, i, listeners;
if (!this._events)
this._events = {};
// If there is no 'error' event listener then throw.
if (type === 'error') {
if (!this._events.error ||
(isObject(this._events.error) && !this._events.error.length)) {
er = arguments[1];
if (er instanceof Error) {
throw er; // Unhandled 'error' event
}
throw TypeError('Uncaught, unspecified "error" event.');
}
}
handler = this._events[type];
if (isUndefined(handler))
return false;
if (isFunction(handler)) {
switch (arguments.length) {
// fast cases
case 1:
handler.call(this);
break;
case 2:
handler.call(this, arguments[1]);
break;
case 3:
handler.call(this, arguments[1], arguments[2]);
break;
// slower
default:
len = arguments.length;
args = new Array(len - 1);
for (i = 1; i < len; i++)
args[i - 1] = arguments[i];
handler.apply(this, args);
}
} else if (isObject(handler)) {
len = arguments.length;
args = new Array(len - 1);
for (i = 1; i < len; i++)
args[i - 1] = arguments[i];
listeners = handler.slice();
len = listeners.length;
for (i = 0; i < len; i++)
listeners[i].apply(this, args);
}
return true;
};
EventEmitter.prototype.addListener = function(type, listener) {
var m;
if (!isFunction(listener))
throw TypeError('listener must be a function');
if (!this._events)
this._events = {};
// To avoid recursion in the case that type === "newListener"! Before
// adding it to the listeners, first emit "newListener".
if (this._events.newListener)
this.emit('newListener', type,
isFunction(listener.listener) ?
listener.listener : listener);
if (!this._events[type])
// Optimize the case of one listener. Don't need the extra array object.
this._events[type] = listener;
else if (isObject(this._events[type]))
// If we've already got an array, just append.
this._events[type].push(listener);
else
// Adding the second element, need to change to array.
this._events[type] = [this._events[type], listener];
// Check for listener leak
if (isObject(this._events[type]) && !this._events[type].warned) {
var m;
if (!isUndefined(this._maxListeners)) {
m = this._maxListeners;
} else {
m = EventEmitter.defaultMaxListeners;
}
if (m && m > 0 && this._events[type].length > m) {
this._events[type].warned = true;
console.error('(node) warning: possible EventEmitter memory ' +
'leak detected. %d listeners added. ' +
'Use emitter.setMaxListeners() to increase limit.',
this._events[type].length);
if (typeof console.trace === 'function') {
// not supported in IE 10
console.trace();
}
}
}
return this;
};
EventEmitter.prototype.on = EventEmitter.prototype.addListener;
EventEmitter.prototype.once = function(type, listener) {
if (!isFunction(listener))
throw TypeError('listener must be a function');
var fired = false;
function g() {
this.removeListener(type, g);
if (!fired) {
fired = true;
listener.apply(this, arguments);
}
}
g.listener = listener;
this.on(type, g);
return this;
};
// emits a 'removeListener' event iff the listener was removed
EventEmitter.prototype.removeListener = function(type, listener) {
var list, position, length, i;
if (!isFunction(listener))
throw TypeError('listener must be a function');
if (!this._events || !this._events[type])
return this;
list = this._events[type];
length = list.length;
position = -1;
if (list === listener ||
(isFunction(list.listener) && list.listener === listener)) {
delete this._events[type];
if (this._events.removeListener)
this.emit('removeListener', type, listener);
} else if (isObject(list)) {
for (i = length; i-- > 0;) {
if (list[i] === listener ||
(list[i].listener && list[i].listener === listener)) {
position = i;
break;
}
}
if (position < 0)
return this;
if (list.length === 1) {
list.length = 0;
delete this._events[type];
} else {
list.splice(position, 1);
}
if (this._events.removeListener)
this.emit('removeListener', type, listener);
}
return this;
};
EventEmitter.prototype.removeAllListeners = function(type) {
var key, listeners;
if (!this._events)
return this;
// not listening for removeListener, no need to emit
if (!this._events.removeListener) {
if (arguments.length === 0)
this._events = {};
else if (this._events[type])
delete this._events[type];
return this;
}
// emit removeListener for all listeners on all events
if (arguments.length === 0) {
for (key in this._events) {
if (key === 'removeListener') continue;
this.removeAllListeners(key);
}
this.removeAllListeners('removeListener');
this._events = {};
return this;
}
listeners = this._events[type];
if (isFunction(listeners)) {
this.removeListener(type, listeners);
} else {
// LIFO order
while (listeners.length)
this.removeListener(type, listeners[listeners.length - 1]);
}
delete this._events[type];
return this;
};
EventEmitter.prototype.listeners = function(type) {
var ret;
if (!this._events || !this._events[type])
ret = [];
else if (isFunction(this._events[type]))
ret = [this._events[type]];
else
ret = this._events[type].slice();
return ret;
};
EventEmitter.listenerCount = function(emitter, type) {
var ret;
if (!emitter._events || !emitter._events[type])
ret = 0;
else if (isFunction(emitter._events[type]))
ret = 1;
else
ret = emitter._events[type].length;
return ret;
};
function isFunction(arg) {
return typeof arg === 'function';
}
function isNumber(arg) {
return typeof arg === 'number';
}
function isObject(arg) {
return typeof arg === 'object' && arg !== null;
}
function isUndefined(arg) {
return arg === void 0;
}
},{}],13:[function(_dereq_,module,exports){
exports.read = function (buffer, offset, isLE, mLen, nBytes) {
var e, m
var eLen = (nBytes * 8) - mLen - 1
var eMax = (1 << eLen) - 1
var eBias = eMax >> 1
var nBits = -7
var i = isLE ? (nBytes - 1) : 0
var d = isLE ? -1 : 1
var s = buffer[offset + i]
i += d
e = s & ((1 << (-nBits)) - 1)
s >>= (-nBits)
nBits += eLen
for (; nBits > 0; e = (e * 256) + buffer[offset + i], i += d, nBits -= 8) {}
m = e & ((1 << (-nBits)) - 1)
e >>= (-nBits)
nBits += mLen
for (; nBits > 0; m = (m * 256) + buffer[offset + i], i += d, nBits -= 8) {}
if (e === 0) {
e = 1 - eBias
} else if (e === eMax) {
return m ? NaN : ((s ? -1 : 1) * Infinity)
} else {
m = m + Math.pow(2, mLen)
e = e - eBias
}
return (s ? -1 : 1) * m * Math.pow(2, e - mLen)
}
exports.write = function (buffer, value, offset, isLE, mLen, nBytes) {
var e, m, c
var eLen = (nBytes * 8) - mLen - 1
var eMax = (1 << eLen) - 1
var eBias = eMax >> 1
var rt = (mLen === 23 ? Math.pow(2, -24) - Math.pow(2, -77) : 0)
var i = isLE ? 0 : (nBytes - 1)
var d = isLE ? 1 : -1
var s = value < 0 || (value === 0 && 1 / value < 0) ? 1 : 0
value = Math.abs(value)
if (isNaN(value) || value === Infinity) {
m = isNaN(value) ? 1 : 0
e = eMax
} else {
e = Math.floor(Math.log(value) / Math.LN2)
if (value * (c = Math.pow(2, -e)) < 1) {
e--
c *= 2
}
if (e + eBias >= 1) {
value += rt / c
} else {
value += rt * Math.pow(2, 1 - eBias)
}
if (value * c >= 2) {
e++
c /= 2
}
if (e + eBias >= eMax) {
m = 0
e = eMax
} else if (e + eBias >= 1) {
m = ((value * c) - 1) * Math.pow(2, mLen)
e = e + eBias
} else {
m = value * Math.pow(2, eBias - 1) * Math.pow(2, mLen)
e = 0
}
}
for (; mLen >= 8; buffer[offset + i] = m & 0xff, i += d, m /= 256, mLen -= 8) {}
e = (e << mLen) | m
eLen += mLen
for (; eLen > 0; buffer[offset + i] = e & 0xff, i += d, e /= 256, eLen -= 8) {}
buffer[offset + i - d] |= s * 128
}
},{}],14:[function(_dereq_,module,exports){
if (typeof Object.create === 'function') {
// implementation from standard node.js 'util' module
module.exports = function inherits(ctor, superCtor) {
ctor.super_ = superCtor
ctor.prototype = Object.create(superCtor.prototype, {
constructor: {
value: ctor,
enumerable: false,
writable: true,
configurable: true
}
});
};
} else {
// old school shim for old browsers
module.exports = function inherits(ctor, superCtor) {
ctor.super_ = superCtor
var TempCtor = function () {}
TempCtor.prototype = superCtor.prototype
ctor.prototype = new TempCtor()
ctor.prototype.constructor = ctor
}
}
},{}],15:[function(_dereq_,module,exports){
/*!
* Determine if an object is a Buffer
*
* @author Feross Aboukhadijeh <https://feross.org>
* @license MIT
*/
// The _isBuffer check is for Safari 5-7 support, because it's missing
// Object.prototype.constructor. Remove this eventually
module.exports = function (obj) {
return obj != null && (isBuffer(obj) || isSlowBuffer(obj) || !!obj._isBuffer)
}
function isBuffer (obj) {
return !!obj.constructor && typeof obj.constructor.isBuffer === 'function' && obj.constructor.isBuffer(obj)
}
// For Node v0.10 support. Remove this eventually.
function isSlowBuffer (obj) {
return typeof obj.readFloatLE === 'function' && typeof obj.slice === 'function' && isBuffer(obj.slice(0, 0))
}
},{}],16:[function(_dereq_,module,exports){
(function (process){
'use strict';
if (!process.version ||
process.version.indexOf('v0.') === 0 ||
process.version.indexOf('v1.') === 0 && process.version.indexOf('v1.8.') !== 0) {
module.exports = { nextTick: nextTick };
} else {
module.exports = process
}
function nextTick(fn, arg1, arg2, arg3) {
if (typeof fn !== 'function') {
throw new TypeError('"callback" argument must be a function');
}
var len = arguments.length;
var args, i;
switch (len) {
case 0:
case 1:
return process.nextTick(fn);
case 2:
return process.nextTick(function afterTickOne() {
fn.call(null, arg1);
});
case 3:
return process.nextTick(function afterTickTwo() {
fn.call(null, arg1, arg2);
});
case 4:
return process.nextTick(function afterTickThree() {
fn.call(null, arg1, arg2, arg3);
});
default:
args = new Array(len - 1);
i = 0;
while (i < args.length) {
args[i++] = arguments[i];
}
return process.nextTick(function afterTick() {
fn.apply(null, args);
});
}
}
}).call(this,_dereq_(17))
},{"17":17}],17:[function(_dereq_,module,exports){
// shim for using process in browser
var process = module.exports = {};
// cached from whatever global is present so that test runners that stub it
// don't break things. But we need to wrap it in a try catch in case it is
// wrapped in strict mode code which doesn't define any globals. It's inside a
// function because try/catches deoptimize in certain engines.
var cachedSetTimeout;
var cachedClearTimeout;
function defaultSetTimout() {
throw new Error('setTimeout has not been defined');
}
function defaultClearTimeout () {
throw new Error('clearTimeout has not been defined');
}
(function () {
try {
if (typeof setTimeout === 'function') {
cachedSetTimeout = setTimeout;
} else {
cachedSetTimeout = defaultSetTimout;
}
} catch (e) {
cachedSetTimeout = defaultSetTimout;
}
try {
if (typeof clearTimeout === 'function') {
cachedClearTimeout = clearTimeout;
} else {
cachedClearTimeout = defaultClearTimeout;
}
} catch (e) {
cachedClearTimeout = defaultClearTimeout;
}
} ())
function runTimeout(fun) {
if (cachedSetTimeout === setTimeout) {
//normal enviroments in sane situations
return setTimeout(fun, 0);
}
// if setTimeout wasn't available but was latter defined
if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) {
cachedSetTimeout = setTimeout;
return setTimeout(fun, 0);
}
try {
// when when somebody has screwed with setTimeout but no I.E. maddness
return cachedSetTimeout(fun, 0);
} catch(e){
try {
// When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
return cachedSetTimeout.call(null, fun, 0);
} catch(e){
// same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error
return cachedSetTimeout.call(this, fun, 0);
}
}
}
function runClearTimeout(marker) {
if (cachedClearTimeout === clearTimeout) {
//normal enviroments in sane situations
return clearTimeout(marker);
}
// if clearTimeout wasn't available but was latter defined
if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) {
cachedClearTimeout = clearTimeout;
return clearTimeout(marker);
}
try {
// when when somebody has screwed with setTimeout but no I.E. maddness
return cachedClearTimeout(marker);
} catch (e){
try {
// When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
return cachedClearTimeout.call(null, marker);
} catch (e){
// same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.
// Some versions of I.E. have different rules for clearTimeout vs setTimeout
return cachedClearTimeout.call(this, marker);
}
}
}
var queue = [];
var draining = false;
var currentQueue;
var queueIndex = -1;
function cleanUpNextTick() {
if (!draining || !currentQueue) {
return;
}
draining = false;
if (currentQueue.length) {
queue = currentQueue.concat(queue);
} else {
queueIndex = -1;
}
if (queue.length) {
drainQueue();
}
}
function drainQueue() {
if (draining) {
return;
}
var timeout = runTimeout(cleanUpNextTick);
draining = true;
var len = queue.length;
while(len) {
currentQueue = queue;
queue = [];
while (++queueIndex < len) {
if (currentQueue) {
currentQueue[queueIndex].run();
}
}
queueIndex = -1;
len = queue.length;
}
currentQueue = null;
draining = false;
runClearTimeout(timeout);
}
process.nextTick = function (fun) {
var args = new Array(arguments.length - 1);
if (arguments.length > 1) {
for (var i = 1; i < arguments.length; i++) {
args[i - 1] = arguments[i];
}
}
queue.push(new Item(fun, args));
if (queue.length === 1 && !draining) {
runTimeout(drainQueue);
}
};
// v8 likes predictible objects
function Item(fun, array) {
this.fun = fun;
this.array = array;
}
Item.prototype.run = function () {
this.fun.apply(null, this.array);
};
process.title = 'browser';
process.browser = true;
process.env = {};
process.argv = [];
process.version = ''; // empty string to avoid regexp issues
process.versions = {};
function noop() {}
process.on = noop;
process.addListener = noop;
process.once = noop;
process.off = noop;
process.removeListener = noop;
process.removeAllListeners = noop;
process.emit = noop;
process.prependListener = noop;
process.prependOnceListener = noop;
process.listeners = function (name) { return [] }
process.binding = function (name) {
throw new Error('process.binding is not supported');
};
process.cwd = function () { return '/' };
process.chdir = function (dir) {
throw new Error('process.chdir is not supported');
};
process.umask = function() { return 0; };
},{}],18:[function(_dereq_,module,exports){
module.exports = _dereq_(19);
},{"19":19}],19:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
// a duplex stream is just a stream that is both readable and writable.
// Since JS doesn't have multiple prototypal inheritance, this class
// prototypally inherits from Readable, and then parasitically from
// Writable.
'use strict';
/*<replacement>*/
var pna = _dereq_(16);
/*</replacement>*/
/*<replacement>*/
var objectKeys = Object.keys || function (obj) {
var keys = [];
for (var key in obj) {
keys.push(key);
}return keys;
};
/*</replacement>*/
module.exports = Duplex;
/*<replacement>*/
var util = _dereq_(11);
util.inherits = _dereq_(14);
/*</replacement>*/
var Readable = _dereq_(21);
var Writable = _dereq_(23);
util.inherits(Duplex, Readable);
{
// avoid scope creep, the keys array can then be collected
var keys = objectKeys(Writable.prototype);
for (var v = 0; v < keys.length; v++) {
var method = keys[v];
if (!Duplex.prototype[method]) Duplex.prototype[method] = Writable.prototype[method];
}
}
function Duplex(options) {
if (!(this instanceof Duplex)) return new Duplex(options);
Readable.call(this, options);
Writable.call(this, options);
if (options && options.readable === false) this.readable = false;
if (options && options.writable === false) this.writable = false;
this.allowHalfOpen = true;
if (options && options.allowHalfOpen === false) this.allowHalfOpen = false;
this.once('end', onend);
}
Object.defineProperty(Duplex.prototype, 'writableHighWaterMark', {
// making it explicit this property is not enumerable
// because otherwise some prototype manipulation in
// userland will fail
enumerable: false,
get: function () {
return this._writableState.highWaterMark;
}
});
// the no-half-open enforcer
function onend() {
// if we allow half-open state, or if the writable side ended,
// then we're ok.
if (this.allowHalfOpen || this._writableState.ended) return;
// no more data can be written.
// But allow more writes to happen in this tick.
pna.nextTick(onEndNT, this);
}
function onEndNT(self) {
self.end();
}
Object.defineProperty(Duplex.prototype, 'destroyed', {
get: function () {
if (this._readableState === undefined || this._writableState === undefined) {
return false;
}
return this._readableState.destroyed && this._writableState.destroyed;
},
set: function (value) {
// we ignore the value if the stream
// has not been initialized yet
if (this._readableState === undefined || this._writableState === undefined) {
return;
}
// backward compatibility, the user is explicitly
// managing destroyed
this._readableState.destroyed = value;
this._writableState.destroyed = value;
}
});
Duplex.prototype._destroy = function (err, cb) {
this.push(null);
this.end();
pna.nextTick(cb, err);
};
},{"11":11,"14":14,"16":16,"21":21,"23":23}],20:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
// a passthrough stream.
// basically just the most minimal sort of Transform stream.
// Every written chunk gets output as-is.
'use strict';
module.exports = PassThrough;
var Transform = _dereq_(22);
/*<replacement>*/
var util = _dereq_(11);
util.inherits = _dereq_(14);
/*</replacement>*/
util.inherits(PassThrough, Transform);
function PassThrough(options) {
if (!(this instanceof PassThrough)) return new PassThrough(options);
Transform.call(this, options);
}
PassThrough.prototype._transform = function (chunk, encoding, cb) {
cb(null, chunk);
};
},{"11":11,"14":14,"22":22}],21:[function(_dereq_,module,exports){
(function (process,global){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
'use strict';
/*<replacement>*/
var pna = _dereq_(16);
/*</replacement>*/
module.exports = Readable;
/*<replacement>*/
var isArray = _dereq_(27);
/*</replacement>*/
/*<replacement>*/
var Duplex;
/*</replacement>*/
Readable.ReadableState = ReadableState;
/*<replacement>*/
var EE = _dereq_(12).EventEmitter;
var EElistenerCount = function (emitter, type) {
return emitter.listeners(type).length;
};
/*</replacement>*/
/*<replacement>*/
var Stream = _dereq_(26);
/*</replacement>*/
/*<replacement>*/
var Buffer = _dereq_(33).Buffer;
var OurUint8Array = global.Uint8Array || function () {};
function _uint8ArrayToBuffer(chunk) {
return Buffer.from(chunk);
}
function _isUint8Array(obj) {
return Buffer.isBuffer(obj) || obj instanceof OurUint8Array;
}
/*</replacement>*/
/*<replacement>*/
var util = _dereq_(11);
util.inherits = _dereq_(14);
/*</replacement>*/
/*<replacement>*/
var debugUtil = _dereq_(8);
var debug = void 0;
if (debugUtil && debugUtil.debuglog) {
debug = debugUtil.debuglog('stream');
} else {
debug = function () {};
}
/*</replacement>*/
var BufferList = _dereq_(24);
var destroyImpl = _dereq_(25);
var StringDecoder;
util.inherits(Readable, Stream);
var kProxyEvents = ['error', 'close', 'destroy', 'pause', 'resume'];
function prependListener(emitter, event, fn) {
// Sadly this is not cacheable as some libraries bundle their own
// event emitter implementation with them.
if (typeof emitter.prependListener === 'function') return emitter.prependListener(event, fn);
// This is a hack to make sure that our error handler is attached before any
// userland ones. NEVER DO THIS. This is here only because this code needs
// to continue to work with older versions of Node.js that do not include
// the prependListener() method. The goal is to eventually remove this hack.
if (!emitter._events || !emitter._events[event]) emitter.on(event, fn);else if (isArray(emitter._events[event])) emitter._events[event].unshift(fn);else emitter._events[event] = [fn, emitter._events[event]];
}
function ReadableState(options, stream) {
Duplex = Duplex || _dereq_(19);
options = options || {};
// Duplex streams are both readable and writable, but share
// the same options object.
// However, some cases require setting options to different
// values for the readable and the writable sides of the duplex stream.
// These options can be provided separately as readableXXX and writableXXX.
var isDuplex = stream instanceof Duplex;
// object stream flag. Used to make read(n) ignore n and to
// make all the buffer merging and length checks go away
this.objectMode = !!options.objectMode;
if (isDuplex) this.objectMode = this.objectMode || !!options.readableObjectMode;
// the point at which it stops calling _read() to fill the buffer
// Note: 0 is a valid value, means "don't call _read preemptively ever"
var hwm = options.highWaterMark;
var readableHwm = options.readableHighWaterMark;
var defaultHwm = this.objectMode ? 16 : 16 * 1024;
if (hwm || hwm === 0) this.highWaterMark = hwm;else if (isDuplex && (readableHwm || readableHwm === 0)) this.highWaterMark = readableHwm;else this.highWaterMark = defaultHwm;
// cast to ints.
this.highWaterMark = Math.floor(this.highWaterMark);
// A linked list is used to store data chunks instead of an array because the
// linked list can remove elements from the beginning faster than
// array.shift()
this.buffer = new BufferList();
this.length = 0;
this.pipes = null;
this.pipesCount = 0;
this.flowing = null;
this.ended = false;
this.endEmitted = false;
this.reading = false;
// a flag to be able to tell if the event 'readable'/'data' is emitted
// immediately, or on a later tick. We set this to true at first, because
// any actions that shouldn't happen until "later" should generally also
// not happen before the first read call.
this.sync = true;
// whenever we return null, then we set a flag to say
// that we're awaiting a 'readable' event emission.
this.needReadable = false;
this.emittedReadable = false;
this.readableListening = false;
this.resumeScheduled = false;
// has it been destroyed
this.destroyed = false;
// Crypto is kind of old and crusty. Historically, its default string
// encoding is 'binary' so we have to make this configurable.
// Everything else in the universe uses 'utf8', though.
this.defaultEncoding = options.defaultEncoding || 'utf8';
// the number of writers that are awaiting a drain event in .pipe()s
this.awaitDrain = 0;
// if true, a maybeReadMore has been scheduled
this.readingMore = false;
this.decoder = null;
this.encoding = null;
if (options.encoding) {
if (!StringDecoder) StringDecoder = _dereq_(28).StringDecoder;
this.decoder = new StringDecoder(options.encoding);
this.encoding = options.encoding;
}
}
function Readable(options) {
Duplex = Duplex || _dereq_(19);
if (!(this instanceof Readable)) return new Readable(options);
this._readableState = new ReadableState(options, this);
// legacy
this.readable = true;
if (options) {
if (typeof options.read === 'function') this._read = options.read;
if (typeof options.destroy === 'function') this._destroy = options.destroy;
}
Stream.call(this);
}
Object.defineProperty(Readable.prototype, 'destroyed', {
get: function () {
if (this._readableState === undefined) {
return false;
}
return this._readableState.destroyed;
},
set: function (value) {
// we ignore the value if the stream
// has not been initialized yet
if (!this._readableState) {
return;
}
// backward compatibility, the user is explicitly
// managing destroyed
this._readableState.destroyed = value;
}
});
Readable.prototype.destroy = destroyImpl.destroy;
Readable.prototype._undestroy = destroyImpl.undestroy;
Readable.prototype._destroy = function (err, cb) {
this.push(null);
cb(err);
};
// Manually shove something into the read() buffer.
// This returns true if the highWaterMark has not been hit yet,
// similar to how Writable.write() returns true if you should
// write() some more.
Readable.prototype.push = function (chunk, encoding) {
var state = this._readableState;
var skipChunkCheck;
if (!state.objectMode) {
if (typeof chunk === 'string') {
encoding = encoding || state.defaultEncoding;
if (encoding !== state.encoding) {
chunk = Buffer.from(chunk, encoding);
encoding = '';
}
skipChunkCheck = true;
}
} else {
skipChunkCheck = true;
}
return readableAddChunk(this, chunk, encoding, false, skipChunkCheck);
};
// Unshift should *always* be something directly out of read()
Readable.prototype.unshift = function (chunk) {
return readableAddChunk(this, chunk, null, true, false);
};
function readableAddChunk(stream, chunk, encoding, addToFront, skipChunkCheck) {
var state = stream._readableState;
if (chunk === null) {
state.reading = false;
onEofChunk(stream, state);
} else {
var er;
if (!skipChunkCheck) er = chunkInvalid(state, chunk);
if (er) {
stream.emit('error', er);
} else if (state.objectMode || chunk && chunk.length > 0) {
if (typeof chunk !== 'string' && !state.objectMode && Object.getPrototypeOf(chunk) !== Buffer.prototype) {
chunk = _uint8ArrayToBuffer(chunk);
}
if (addToFront) {
if (state.endEmitted) stream.emit('error', new Error('stream.unshift() after end event'));else addChunk(stream, state, chunk, true);
} else if (state.ended) {
stream.emit('error', new Error('stream.push() after EOF'));
} else {
state.reading = false;
if (state.decoder && !encoding) {
chunk = state.decoder.write(chunk);
if (state.objectMode || chunk.length !== 0) addChunk(stream, state, chunk, false);else maybeReadMore(stream, state);
} else {
addChunk(stream, state, chunk, false);
}
}
} else if (!addToFront) {
state.reading = false;
}
}
return needMoreData(state);
}
function addChunk(stream, state, chunk, addToFront) {
if (state.flowing && state.length === 0 && !state.sync) {
stream.emit('data', chunk);
stream.read(0);
} else {
// update the buffer info.
state.length += state.objectMode ? 1 : chunk.length;
if (addToFront) state.buffer.unshift(chunk);else state.buffer.push(chunk);
if (state.needReadable) emitReadable(stream);
}
maybeReadMore(stream, state);
}
function chunkInvalid(state, chunk) {
var er;
if (!_isUint8Array(chunk) && typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) {
er = new TypeError('Invalid non-string/buffer chunk');
}
return er;
}
// if it's past the high water mark, we can push in some more.
// Also, if we have no data yet, we can stand some
// more bytes. This is to work around cases where hwm=0,
// such as the repl. Also, if the push() triggered a
// readable event, and the user called read(largeNumber) such that
// needReadable was set, then we ought to push more, so that another
// 'readable' event will be triggered.
function needMoreData(state) {
return !state.ended && (state.needReadable || state.length < state.highWaterMark || state.length === 0);
}
Readable.prototype.isPaused = function () {
return this._readableState.flowing === false;
};
// backwards compatibility.
Readable.prototype.setEncoding = function (enc) {
if (!StringDecoder) StringDecoder = _dereq_(28).StringDecoder;
this._readableState.decoder = new StringDecoder(enc);
this._readableState.encoding = enc;
return this;
};
// Don't raise the hwm > 8MB
var MAX_HWM = 0x800000;
function computeNewHighWaterMark(n) {
if (n >= MAX_HWM) {
n = MAX_HWM;
} else {
// Get the next highest power of 2 to prevent increasing hwm excessively in
// tiny amounts
n--;
n |= n >>> 1;
n |= n >>> 2;
n |= n >>> 4;
n |= n >>> 8;
n |= n >>> 16;
n++;
}
return n;
}
// This function is designed to be inlinable, so please take care when making
// changes to the function body.
function howMuchToRead(n, state) {
if (n <= 0 || state.length === 0 && state.ended) return 0;
if (state.objectMode) return 1;
if (n !== n) {
// Only flow one buffer at a time
if (state.flowing && state.length) return state.buffer.head.data.length;else return state.length;
}
// If we're asking for more than the current hwm, then raise the hwm.
if (n > state.highWaterMark) state.highWaterMark = computeNewHighWaterMark(n);
if (n <= state.length) return n;
// Don't have enough
if (!state.ended) {
state.needReadable = true;
return 0;
}
return state.length;
}
// you can override either this method, or the async _read(n) below.
Readable.prototype.read = function (n) {
debug('read', n);
n = parseInt(n, 10);
var state = this._readableState;
var nOrig = n;
if (n !== 0) state.emittedReadable = false;
// if we're doing read(0) to trigger a readable event, but we
// already have a bunch of data in the buffer, then just trigger
// the 'readable' event and move on.
if (n === 0 && state.needReadable && (state.length >= state.highWaterMark || state.ended)) {
debug('read: emitReadable', state.length, state.ended);
if (state.length === 0 && state.ended) endReadable(this);else emitReadable(this);
return null;
}
n = howMuchToRead(n, state);
// if we've ended, and we're now clear, then finish it up.
if (n === 0 && state.ended) {
if (state.length === 0) endReadable(this);
return null;
}
// All the actual chunk generation logic needs to be
// *below* the call to _read. The reason is that in certain
// synthetic stream cases, such as passthrough streams, _read
// may be a completely synchronous operation which may change
// the state of the read buffer, providing enough data when
// before there was *not* enough.
//
// So, the steps are:
// 1. Figure out what the state of things will be after we do
// a read from the buffer.
//
// 2. If that resulting state will trigger a _read, then call _read.
// Note that this may be asynchronous, or synchronous. Yes, it is
// deeply ugly to write APIs this way, but that still doesn't mean
// that the Readable class should behave improperly, as streams are
// designed to be sync/async agnostic.
// Take note if the _read call is sync or async (ie, if the read call
// has returned yet), so that we know whether or not it's safe to emit
// 'readable' etc.
//
// 3. Actually pull the requested chunks out of the buffer and return.
// if we need a readable event, then we need to do some reading.
var doRead = state.needReadable;
debug('need readable', doRead);
// if we currently have less than the highWaterMark, then also read some
if (state.length === 0 || state.length - n < state.highWaterMark) {
doRead = true;
debug('length less than watermark', doRead);
}
// however, if we've ended, then there's no point, and if we're already
// reading, then it's unnecessary.
if (state.ended || state.reading) {
doRead = false;
debug('reading or ended', doRead);
} else if (doRead) {
debug('do read');
state.reading = true;
state.sync = true;
// if the length is currently zero, then we *need* a readable event.
if (state.length === 0) state.needReadable = true;
// call internal read method
this._read(state.highWaterMark);
state.sync = false;
// If _read pushed data synchronously, then `reading` will be false,
// and we need to re-evaluate how much data we can return to the user.
if (!state.reading) n = howMuchToRead(nOrig, state);
}
var ret;
if (n > 0) ret = fromList(n, state);else ret = null;
if (ret === null) {
state.needReadable = true;
n = 0;
} else {
state.length -= n;
}
if (state.length === 0) {
// If we have nothing in the buffer, then we want to know
// as soon as we *do* get something into the buffer.
if (!state.ended) state.needReadable = true;
// If we tried to read() past the EOF, then emit end on the next tick.
if (nOrig !== n && state.ended) endReadable(this);
}
if (ret !== null) this.emit('data', ret);
return ret;
};
function onEofChunk(stream, state) {
if (state.ended) return;
if (state.decoder) {
var chunk = state.decoder.end();
if (chunk && chunk.length) {
state.buffer.push(chunk);
state.length += state.objectMode ? 1 : chunk.length;
}
}
state.ended = true;
// emit 'readable' now to make sure it gets picked up.
emitReadable(stream);
}
// Don't emit readable right away in sync mode, because this can trigger
// another read() call => stack overflow. This way, it might trigger
// a nextTick recursion warning, but that's not so bad.
function emitReadable(stream) {
var state = stream._readableState;
state.needReadable = false;
if (!state.emittedReadable) {
debug('emitReadable', state.flowing);
state.emittedReadable = true;
if (state.sync) pna.nextTick(emitReadable_, stream);else emitReadable_(stream);
}
}
function emitReadable_(stream) {
debug('emit readable');
stream.emit('readable');
flow(stream);
}
// at this point, the user has presumably seen the 'readable' event,
// and called read() to consume some data. that may have triggered
// in turn another _read(n) call, in which case reading = true if
// it's in progress.
// However, if we're not ended, or reading, and the length < hwm,
// then go ahead and try to read some more preemptively.
function maybeReadMore(stream, state) {
if (!state.readingMore) {
state.readingMore = true;
pna.nextTick(maybeReadMore_, stream, state);
}
}
function maybeReadMore_(stream, state) {
var len = state.length;
while (!state.reading && !state.flowing && !state.ended && state.length < state.highWaterMark) {
debug('maybeReadMore read 0');
stream.read(0);
if (len === state.length)
// didn't get any data, stop spinning.
break;else len = state.length;
}
state.readingMore = false;
}
// abstract method. to be overridden in specific implementation classes.
// call cb(er, data) where data is <= n in length.
// for virtual (non-string, non-buffer) streams, "length" is somewhat
// arbitrary, and perhaps not very meaningful.
Readable.prototype._read = function (n) {
this.emit('error', new Error('_read() is not implemented'));
};
Readable.prototype.pipe = function (dest, pipeOpts) {
var src = this;
var state = this._readableState;
switch (state.pipesCount) {
case 0:
state.pipes = dest;
break;
case 1:
state.pipes = [state.pipes, dest];
break;
default:
state.pipes.push(dest);
break;
}
state.pipesCount += 1;
debug('pipe count=%d opts=%j', state.pipesCount, pipeOpts);
var doEnd = (!pipeOpts || pipeOpts.end !== false) && dest !== process.stdout && dest !== process.stderr;
var endFn = doEnd ? onend : unpipe;
if (state.endEmitted) pna.nextTick(endFn);else src.once('end', endFn);
dest.on('unpipe', onunpipe);
function onunpipe(readable, unpipeInfo) {
debug('onunpipe');
if (readable === src) {
if (unpipeInfo && unpipeInfo.hasUnpiped === false) {
unpipeInfo.hasUnpiped = true;
cleanup();
}
}
}
function onend() {
debug('onend');
dest.end();
}
// when the dest drains, it reduces the awaitDrain counter
// on the source. This would be more elegant with a .once()
// handler in flow(), but adding and removing repeatedly is
// too slow.
var ondrain = pipeOnDrain(src);
dest.on('drain', ondrain);
var cleanedUp = false;
function cleanup() {
debug('cleanup');
// cleanup event handlers once the pipe is broken
dest.removeListener('close', onclose);
dest.removeListener('finish', onfinish);
dest.removeListener('drain', ondrain);
dest.removeListener('error', onerror);
dest.removeListener('unpipe', onunpipe);
src.removeListener('end', onend);
src.removeListener('end', unpipe);
src.removeListener('data', ondata);
cleanedUp = true;
// if the reader is waiting for a drain event from this
// specific writer, then it would cause it to never start
// flowing again.
// So, if this is awaiting a drain, then we just call it now.
// If we don't know, then assume that we are waiting for one.
if (state.awaitDrain && (!dest._writableState || dest._writableState.needDrain)) ondrain();
}
// If the user pushes more data while we're writing to dest then we'll end up
// in ondata again. However, we only want to increase awaitDrain once because
// dest will only emit one 'drain' event for the multiple writes.
// => Introduce a guard on increasing awaitDrain.
var increasedAwaitDrain = false;
src.on('data', ondata);
function ondata(chunk) {
debug('ondata');
increasedAwaitDrain = false;
var ret = dest.write(chunk);
if (false === ret && !increasedAwaitDrain) {
// If the user unpiped during `dest.write()`, it is possible
// to get stuck in a permanently paused state if that write
// also returned false.
// => Check whether `dest` is still a piping destination.
if ((state.pipesCount === 1 && state.pipes === dest || state.pipesCount > 1 && indexOf(state.pipes, dest) !== -1) && !cleanedUp) {
debug('false write response, pause', src._readableState.awaitDrain);
src._readableState.awaitDrain++;
increasedAwaitDrain = true;
}
src.pause();
}
}
// if the dest has an error, then stop piping into it.
// however, don't suppress the throwing behavior for this.
function onerror(er) {
debug('onerror', er);
unpipe();
dest.removeListener('error', onerror);
if (EElistenerCount(dest, 'error') === 0) dest.emit('error', er);
}
// Make sure our error handler is attached before userland ones.
prependListener(dest, 'error', onerror);
// Both close and finish should trigger unpipe, but only once.
function onclose() {
dest.removeListener('finish', onfinish);
unpipe();
}
dest.once('close', onclose);
function onfinish() {
debug('onfinish');
dest.removeListener('close', onclose);
unpipe();
}
dest.once('finish', onfinish);
function unpipe() {
debug('unpipe');
src.unpipe(dest);
}
// tell the dest that it's being piped to
dest.emit('pipe', src);
// start the flow if it hasn't been started already.
if (!state.flowing) {
debug('pipe resume');
src.resume();
}
return dest;
};
function pipeOnDrain(src) {
return function () {
var state = src._readableState;
debug('pipeOnDrain', state.awaitDrain);
if (state.awaitDrain) state.awaitDrain--;
if (state.awaitDrain === 0 && EElistenerCount(src, 'data')) {
state.flowing = true;
flow(src);
}
};
}
Readable.prototype.unpipe = function (dest) {
var state = this._readableState;
var unpipeInfo = { hasUnpiped: false };
// if we're not piping anywhere, then do nothing.
if (state.pipesCount === 0) return this;
// just one destination. most common case.
if (state.pipesCount === 1) {
// passed in one, but it's not the right one.
if (dest && dest !== state.pipes) return this;
if (!dest) dest = state.pipes;
// got a match.
state.pipes = null;
state.pipesCount = 0;
state.flowing = false;
if (dest) dest.emit('unpipe', this, unpipeInfo);
return this;
}
// slow case. multiple pipe destinations.
if (!dest) {
// remove all.
var dests = state.pipes;
var len = state.pipesCount;
state.pipes = null;
state.pipesCount = 0;
state.flowing = false;
for (var i = 0; i < len; i++) {
dests[i].emit('unpipe', this, unpipeInfo);
}return this;
}
// try to find the right one.
var index = indexOf(state.pipes, dest);
if (index === -1) return this;
state.pipes.splice(index, 1);
state.pipesCount -= 1;
if (state.pipesCount === 1) state.pipes = state.pipes[0];
dest.emit('unpipe', this, unpipeInfo);
return this;
};
// set up data events if they are asked for
// Ensure readable listeners eventually get something
Readable.prototype.on = function (ev, fn) {
var res = Stream.prototype.on.call(this, ev, fn);
if (ev === 'data') {
// Start flowing on next tick if stream isn't explicitly paused
if (this._readableState.flowing !== false) this.resume();
} else if (ev === 'readable') {
var state = this._readableState;
if (!state.endEmitted && !state.readableListening) {
state.readableListening = state.needReadable = true;
state.emittedReadable = false;
if (!state.reading) {
pna.nextTick(nReadingNextTick, this);
} else if (state.length) {
emitReadable(this);
}
}
}
return res;
};
Readable.prototype.addListener = Readable.prototype.on;
function nReadingNextTick(self) {
debug('readable nexttick read 0');
self.read(0);
}
// pause() and resume() are remnants of the legacy readable stream API
// If the user uses them, then switch into old mode.
Readable.prototype.resume = function () {
var state = this._readableState;
if (!state.flowing) {
debug('resume');
state.flowing = true;
resume(this, state);
}
return this;
};
function resume(stream, state) {
if (!state.resumeScheduled) {
state.resumeScheduled = true;
pna.nextTick(resume_, stream, state);
}
}
function resume_(stream, state) {
if (!state.reading) {
debug('resume read 0');
stream.read(0);
}
state.resumeScheduled = false;
state.awaitDrain = 0;
stream.emit('resume');
flow(stream);
if (state.flowing && !state.reading) stream.read(0);
}
Readable.prototype.pause = function () {
debug('call pause flowing=%j', this._readableState.flowing);
if (false !== this._readableState.flowing) {
debug('pause');
this._readableState.flowing = false;
this.emit('pause');
}
return this;
};
function flow(stream) {
var state = stream._readableState;
debug('flow', state.flowing);
while (state.flowing && stream.read() !== null) {}
}
// wrap an old-style stream as the async data source.
// This is *not* part of the readable stream interface.
// It is an ugly unfortunate mess of history.
Readable.prototype.wrap = function (stream) {
var _this = this;
var state = this._readableState;
var paused = false;
stream.on('end', function () {
debug('wrapped end');
if (state.decoder && !state.ended) {
var chunk = state.decoder.end();
if (chunk && chunk.length) _this.push(chunk);
}
_this.push(null);
});
stream.on('data', function (chunk) {
debug('wrapped data');
if (state.decoder) chunk = state.decoder.write(chunk);
// don't skip over falsy values in objectMode
if (state.objectMode && (chunk === null || chunk === undefined)) return;else if (!state.objectMode && (!chunk || !chunk.length)) return;
var ret = _this.push(chunk);
if (!ret) {
paused = true;
stream.pause();
}
});
// proxy all the other methods.
// important when wrapping filters and duplexes.
for (var i in stream) {
if (this[i] === undefined && typeof stream[i] === 'function') {
this[i] = function (method) {
return function () {
return stream[method].apply(stream, arguments);
};
}(i);
}
}
// proxy certain important events.
for (var n = 0; n < kProxyEvents.length; n++) {
stream.on(kProxyEvents[n], this.emit.bind(this, kProxyEvents[n]));
}
// when we try to consume some more bytes, simply unpause the
// underlying stream.
this._read = function (n) {
debug('wrapped _read', n);
if (paused) {
paused = false;
stream.resume();
}
};
return this;
};
Object.defineProperty(Readable.prototype, 'readableHighWaterMark', {
// making it explicit this property is not enumerable
// because otherwise some prototype manipulation in
// userland will fail
enumerable: false,
get: function () {
return this._readableState.highWaterMark;
}
});
// exposed for testing purposes only.
Readable._fromList = fromList;
// Pluck off n bytes from an array of buffers.
// Length is the combined lengths of all the buffers in the list.
// This function is designed to be inlinable, so please take care when making
// changes to the function body.
function fromList(n, state) {
// nothing buffered
if (state.length === 0) return null;
var ret;
if (state.objectMode) ret = state.buffer.shift();else if (!n || n >= state.length) {
// read it all, truncate the list
if (state.decoder) ret = state.buffer.join('');else if (state.buffer.length === 1) ret = state.buffer.head.data;else ret = state.buffer.concat(state.length);
state.buffer.clear();
} else {
// read part of list
ret = fromListPartial(n, state.buffer, state.decoder);
}
return ret;
}
// Extracts only enough buffered data to satisfy the amount requested.
// This function is designed to be inlinable, so please take care when making
// changes to the function body.
function fromListPartial(n, list, hasStrings) {
var ret;
if (n < list.head.data.length) {
// slice is the same for buffers and strings
ret = list.head.data.slice(0, n);
list.head.data = list.head.data.slice(n);
} else if (n === list.head.data.length) {
// first chunk is a perfect match
ret = list.shift();
} else {
// result spans more than one buffer
ret = hasStrings ? copyFromBufferString(n, list) : copyFromBuffer(n, list);
}
return ret;
}
// Copies a specified amount of characters from the list of buffered data
// chunks.
// This function is designed to be inlinable, so please take care when making
// changes to the function body.
function copyFromBufferString(n, list) {
var p = list.head;
var c = 1;
var ret = p.data;
n -= ret.length;
while (p = p.next) {
var str = p.data;
var nb = n > str.length ? str.length : n;
if (nb === str.length) ret += str;else ret += str.slice(0, n);
n -= nb;
if (n === 0) {
if (nb === str.length) {
++c;
if (p.next) list.head = p.next;else list.head = list.tail = null;
} else {
list.head = p;
p.data = str.slice(nb);
}
break;
}
++c;
}
list.length -= c;
return ret;
}
// Copies a specified amount of bytes from the list of buffered data chunks.
// This function is designed to be inlinable, so please take care when making
// changes to the function body.
function copyFromBuffer(n, list) {
var ret = Buffer.allocUnsafe(n);
var p = list.head;
var c = 1;
p.data.copy(ret);
n -= p.data.length;
while (p = p.next) {
var buf = p.data;
var nb = n > buf.length ? buf.length : n;
buf.copy(ret, ret.length - n, 0, nb);
n -= nb;
if (n === 0) {
if (nb === buf.length) {
++c;
if (p.next) list.head = p.next;else list.head = list.tail = null;
} else {
list.head = p;
p.data = buf.slice(nb);
}
break;
}
++c;
}
list.length -= c;
return ret;
}
function endReadable(stream) {
var state = stream._readableState;
// If we get here before consuming all the bytes, then that is a
// bug in node. Should never happen.
if (state.length > 0) throw new Error('"endReadable()" called on non-empty stream');
if (!state.endEmitted) {
state.ended = true;
pna.nextTick(endReadableNT, state, stream);
}
}
function endReadableNT(state, stream) {
// Check that we didn't get one last unshift.
if (!state.endEmitted && state.length === 0) {
state.endEmitted = true;
stream.readable = false;
stream.emit('end');
}
}
function indexOf(xs, x) {
for (var i = 0, l = xs.length; i < l; i++) {
if (xs[i] === x) return i;
}
return -1;
}
}).call(this,_dereq_(17),typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
},{"11":11,"12":12,"14":14,"16":16,"17":17,"19":19,"24":24,"25":25,"26":26,"27":27,"28":28,"33":33,"8":8}],22:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
// a transform stream is a readable/writable stream where you do
// something with the data. Sometimes it's called a "filter",
// but that's not a great name for it, since that implies a thing where
// some bits pass through, and others are simply ignored. (That would
// be a valid example of a transform, of course.)
//
// While the output is causally related to the input, it's not a
// necessarily symmetric or synchronous transformation. For example,
// a zlib stream might take multiple plain-text writes(), and then
// emit a single compressed chunk some time in the future.
//
// Here's how this works:
//
// The Transform stream has all the aspects of the readable and writable
// stream classes. When you write(chunk), that calls _write(chunk,cb)
// internally, and returns false if there's a lot of pending writes
// buffered up. When you call read(), that calls _read(n) until
// there's enough pending readable data buffered up.
//
// In a transform stream, the written data is placed in a buffer. When
// _read(n) is called, it transforms the queued up data, calling the
// buffered _write cb's as it consumes chunks. If consuming a single
// written chunk would result in multiple output chunks, then the first
// outputted bit calls the readcb, and subsequent chunks just go into
// the read buffer, and will cause it to emit 'readable' if necessary.
//
// This way, back-pressure is actually determined by the reading side,
// since _read has to be called to start processing a new chunk. However,
// a pathological inflate type of transform can cause excessive buffering
// here. For example, imagine a stream where every byte of input is
// interpreted as an integer from 0-255, and then results in that many
// bytes of output. Writing the 4 bytes {ff,ff,ff,ff} would result in
// 1kb of data being output. In this case, you could write a very small
// amount of input, and end up with a very large amount of output. In
// such a pathological inflating mechanism, there'd be no way to tell
// the system to stop doing the transform. A single 4MB write could
// cause the system to run out of memory.
//
// However, even in such a pathological case, only a single written chunk
// would be consumed, and then the rest would wait (un-transformed) until
// the results of the previous transformed chunk were consumed.
'use strict';
module.exports = Transform;
var Duplex = _dereq_(19);
/*<replacement>*/
var util = _dereq_(11);
util.inherits = _dereq_(14);
/*</replacement>*/
util.inherits(Transform, Duplex);
function afterTransform(er, data) {
var ts = this._transformState;
ts.transforming = false;
var cb = ts.writecb;
if (!cb) {
return this.emit('error', new Error('write callback called multiple times'));
}
ts.writechunk = null;
ts.writecb = null;
if (data != null) // single equals check for both `null` and `undefined`
this.push(data);
cb(er);
var rs = this._readableState;
rs.reading = false;
if (rs.needReadable || rs.length < rs.highWaterMark) {
this._read(rs.highWaterMark);
}
}
function Transform(options) {
if (!(this instanceof Transform)) return new Transform(options);
Duplex.call(this, options);
this._transformState = {
afterTransform: afterTransform.bind(this),
needTransform: false,
transforming: false,
writecb: null,
writechunk: null,
writeencoding: null
};
// start out asking for a readable event once data is transformed.
this._readableState.needReadable = true;
// we have implemented the _read method, and done the other things
// that Readable wants before the first _read call, so unset the
// sync guard flag.
this._readableState.sync = false;
if (options) {
if (typeof options.transform === 'function') this._transform = options.transform;
if (typeof options.flush === 'function') this._flush = options.flush;
}
// When the writable side finishes, then flush out anything remaining.
this.on('prefinish', prefinish);
}
function prefinish() {
var _this = this;
if (typeof this._flush === 'function') {
this._flush(function (er, data) {
done(_this, er, data);
});
} else {
done(this, null, null);
}
}
Transform.prototype.push = function (chunk, encoding) {
this._transformState.needTransform = false;
return Duplex.prototype.push.call(this, chunk, encoding);
};
// This is the part where you do stuff!
// override this function in implementation classes.
// 'chunk' is an input chunk.
//
// Call `push(newChunk)` to pass along transformed output
// to the readable side. You may call 'push' zero or more times.
//
// Call `cb(err)` when you are done with this chunk. If you pass
// an error, then that'll put the hurt on the whole operation. If you
// never call cb(), then you'll never get another chunk.
Transform.prototype._transform = function (chunk, encoding, cb) {
throw new Error('_transform() is not implemented');
};
Transform.prototype._write = function (chunk, encoding, cb) {
var ts = this._transformState;
ts.writecb = cb;
ts.writechunk = chunk;
ts.writeencoding = encoding;
if (!ts.transforming) {
var rs = this._readableState;
if (ts.needTransform || rs.needReadable || rs.length < rs.highWaterMark) this._read(rs.highWaterMark);
}
};
// Doesn't matter what the args are here.
// _transform does all the work.
// That we got here means that the readable side wants more data.
Transform.prototype._read = function (n) {
var ts = this._transformState;
if (ts.writechunk !== null && ts.writecb && !ts.transforming) {
ts.transforming = true;
this._transform(ts.writechunk, ts.writeencoding, ts.afterTransform);
} else {
// mark that we need a transform, so that any data that comes in
// will get processed, now that we've asked for it.
ts.needTransform = true;
}
};
Transform.prototype._destroy = function (err, cb) {
var _this2 = this;
Duplex.prototype._destroy.call(this, err, function (err2) {
cb(err2);
_this2.emit('close');
});
};
function done(stream, er, data) {
if (er) return stream.emit('error', er);
if (data != null) // single equals check for both `null` and `undefined`
stream.push(data);
// if there's nothing in the write buffer, then that means
// that nothing more will ever be provided
if (stream._writableState.length) throw new Error('Calling transform done when ws.length != 0');
if (stream._transformState.transforming) throw new Error('Calling transform done when still transforming');
return stream.push(null);
}
},{"11":11,"14":14,"19":19}],23:[function(_dereq_,module,exports){
(function (process,global){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
// A bit simpler than readable streams.
// Implement an async ._write(chunk, encoding, cb), and it'll handle all
// the drain event emission and buffering.
'use strict';
/*<replacement>*/
var pna = _dereq_(16);
/*</replacement>*/
module.exports = Writable;
/* <replacement> */
function WriteReq(chunk, encoding, cb) {
this.chunk = chunk;
this.encoding = encoding;
this.callback = cb;
this.next = null;
}
// It seems a linked list but it is not
// there will be only 2 of these for each stream
function CorkedRequest(state) {
var _this = this;
this.next = null;
this.entry = null;
this.finish = function () {
onCorkedFinish(_this, state);
};
}
/* </replacement> */
/*<replacement>*/
var asyncWrite = !process.browser && ['v0.10', 'v0.9.'].indexOf(process.version.slice(0, 5)) > -1 ? setImmediate : pna.nextTick;
/*</replacement>*/
/*<replacement>*/
var Duplex;
/*</replacement>*/
Writable.WritableState = WritableState;
/*<replacement>*/
var util = _dereq_(11);
util.inherits = _dereq_(14);
/*</replacement>*/
/*<replacement>*/
var internalUtil = {
deprecate: _dereq_(36)
};
/*</replacement>*/
/*<replacement>*/
var Stream = _dereq_(26);
/*</replacement>*/
/*<replacement>*/
var Buffer = _dereq_(33).Buffer;
var OurUint8Array = global.Uint8Array || function () {};
function _uint8ArrayToBuffer(chunk) {
return Buffer.from(chunk);
}
function _isUint8Array(obj) {
return Buffer.isBuffer(obj) || obj instanceof OurUint8Array;
}
/*</replacement>*/
var destroyImpl = _dereq_(25);
util.inherits(Writable, Stream);
function nop() {}
function WritableState(options, stream) {
Duplex = Duplex || _dereq_(19);
options = options || {};
// Duplex streams are both readable and writable, but share
// the same options object.
// However, some cases require setting options to different
// values for the readable and the writable sides of the duplex stream.
// These options can be provided separately as readableXXX and writableXXX.
var isDuplex = stream instanceof Duplex;
// object stream flag to indicate whether or not this stream
// contains buffers or objects.
this.objectMode = !!options.objectMode;
if (isDuplex) this.objectMode = this.objectMode || !!options.writableObjectMode;
// the point at which write() starts returning false
// Note: 0 is a valid value, means that we always return false if
// the entire buffer is not flushed immediately on write()
var hwm = options.highWaterMark;
var writableHwm = options.writableHighWaterMark;
var defaultHwm = this.objectMode ? 16 : 16 * 1024;
if (hwm || hwm === 0) this.highWaterMark = hwm;else if (isDuplex && (writableHwm || writableHwm === 0)) this.highWaterMark = writableHwm;else this.highWaterMark = defaultHwm;
// cast to ints.
this.highWaterMark = Math.floor(this.highWaterMark);
// if _final has been called
this.finalCalled = false;
// drain event flag.
this.needDrain = false;
// at the start of calling end()
this.ending = false;
// when end() has been called, and returned
this.ended = false;
// when 'finish' is emitted
this.finished = false;
// has it been destroyed
this.destroyed = false;
// should we decode strings into buffers before passing to _write?
// this is here so that some node-core streams can optimize string
// handling at a lower level.
var noDecode = options.decodeStrings === false;
this.decodeStrings = !noDecode;
// Crypto is kind of old and crusty. Historically, its default string
// encoding is 'binary' so we have to make this configurable.
// Everything else in the universe uses 'utf8', though.
this.defaultEncoding = options.defaultEncoding || 'utf8';
// not an actual buffer we keep track of, but a measurement
// of how much we're waiting to get pushed to some underlying
// socket or file.
this.length = 0;
// a flag to see when we're in the middle of a write.
this.writing = false;
// when true all writes will be buffered until .uncork() call
this.corked = 0;
// a flag to be able to tell if the onwrite cb is called immediately,
// or on a later tick. We set this to true at first, because any
// actions that shouldn't happen until "later" should generally also
// not happen before the first write call.
this.sync = true;
// a flag to know if we're processing previously buffered items, which
// may call the _write() callback in the same tick, so that we don't
// end up in an overlapped onwrite situation.
this.bufferProcessing = false;
// the callback that's passed to _write(chunk,cb)
this.onwrite = function (er) {
onwrite(stream, er);
};
// the callback that the user supplies to write(chunk,encoding,cb)
this.writecb = null;
// the amount that is being written when _write is called.
this.writelen = 0;
this.bufferedRequest = null;
this.lastBufferedRequest = null;
// number of pending user-supplied write callbacks
// this must be 0 before 'finish' can be emitted
this.pendingcb = 0;
// emit prefinish if the only thing we're waiting for is _write cbs
// This is relevant for synchronous Transform streams
this.prefinished = false;
// True if the error was already emitted and should not be thrown again
this.errorEmitted = false;
// count buffered requests
this.bufferedRequestCount = 0;
// allocate the first CorkedRequest, there is always
// one allocated and free to use, and we maintain at most two
this.corkedRequestsFree = new CorkedRequest(this);
}
WritableState.prototype.getBuffer = function getBuffer() {
var current = this.bufferedRequest;
var out = [];
while (current) {
out.push(current);
current = current.next;
}
return out;
};
(function () {
try {
Object.defineProperty(WritableState.prototype, 'buffer', {
get: internalUtil.deprecate(function () {
return this.getBuffer();
}, '_writableState.buffer is deprecated. Use _writableState.getBuffer ' + 'instead.', 'DEP0003')
});
} catch (_) {}
})();
// Test _writableState for inheritance to account for Duplex streams,
// whose prototype chain only points to Readable.
var realHasInstance;
if (typeof Symbol === 'function' && Symbol.hasInstance && typeof Function.prototype[Symbol.hasInstance] === 'function') {
realHasInstance = Function.prototype[Symbol.hasInstance];
Object.defineProperty(Writable, Symbol.hasInstance, {
value: function (object) {
if (realHasInstance.call(this, object)) return true;
if (this !== Writable) return false;
return object && object._writableState instanceof WritableState;
}
});
} else {
realHasInstance = function (object) {
return object instanceof this;
};
}
function Writable(options) {
Duplex = Duplex || _dereq_(19);
// Writable ctor is applied to Duplexes, too.
// `realHasInstance` is necessary because using plain `instanceof`
// would return false, as no `_writableState` property is attached.
// Trying to use the custom `instanceof` for Writable here will also break the
// Node.js LazyTransform implementation, which has a non-trivial getter for
// `_writableState` that would lead to infinite recursion.
if (!realHasInstance.call(Writable, this) && !(this instanceof Duplex)) {
return new Writable(options);
}
this._writableState = new WritableState(options, this);
// legacy.
this.writable = true;
if (options) {
if (typeof options.write === 'function') this._write = options.write;
if (typeof options.writev === 'function') this._writev = options.writev;
if (typeof options.destroy === 'function') this._destroy = options.destroy;
if (typeof options.final === 'function') this._final = options.final;
}
Stream.call(this);
}
// Otherwise people can pipe Writable streams, which is just wrong.
Writable.prototype.pipe = function () {
this.emit('error', new Error('Cannot pipe, not readable'));
};
function writeAfterEnd(stream, cb) {
var er = new Error('write after end');
// TODO: defer error events consistently everywhere, not just the cb
stream.emit('error', er);
pna.nextTick(cb, er);
}
// Checks that a user-supplied chunk is valid, especially for the particular
// mode the stream is in. Currently this means that `null` is never accepted
// and undefined/non-string values are only allowed in object mode.
function validChunk(stream, state, chunk, cb) {
var valid = true;
var er = false;
if (chunk === null) {
er = new TypeError('May not write null values to stream');
} else if (typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) {
er = new TypeError('Invalid non-string/buffer chunk');
}
if (er) {
stream.emit('error', er);
pna.nextTick(cb, er);
valid = false;
}
return valid;
}
Writable.prototype.write = function (chunk, encoding, cb) {
var state = this._writableState;
var ret = false;
var isBuf = !state.objectMode && _isUint8Array(chunk);
if (isBuf && !Buffer.isBuffer(chunk)) {
chunk = _uint8ArrayToBuffer(chunk);
}
if (typeof encoding === 'function') {
cb = encoding;
encoding = null;
}
if (isBuf) encoding = 'buffer';else if (!encoding) encoding = state.defaultEncoding;
if (typeof cb !== 'function') cb = nop;
if (state.ended) writeAfterEnd(this, cb);else if (isBuf || validChunk(this, state, chunk, cb)) {
state.pendingcb++;
ret = writeOrBuffer(this, state, isBuf, chunk, encoding, cb);
}
return ret;
};
Writable.prototype.cork = function () {
var state = this._writableState;
state.corked++;
};
Writable.prototype.uncork = function () {
var state = this._writableState;
if (state.corked) {
state.corked--;
if (!state.writing && !state.corked && !state.finished && !state.bufferProcessing && state.bufferedRequest) clearBuffer(this, state);
}
};
Writable.prototype.setDefaultEncoding = function setDefaultEncoding(encoding) {
// node::ParseEncoding() requires lower case.
if (typeof encoding === 'string') encoding = encoding.toLowerCase();
if (!(['hex', 'utf8', 'utf-8', 'ascii', 'binary', 'base64', 'ucs2', 'ucs-2', 'utf16le', 'utf-16le', 'raw'].indexOf((encoding + '').toLowerCase()) > -1)) throw new TypeError('Unknown encoding: ' + encoding);
this._writableState.defaultEncoding = encoding;
return this;
};
function decodeChunk(state, chunk, encoding) {
if (!state.objectMode && state.decodeStrings !== false && typeof chunk === 'string') {
chunk = Buffer.from(chunk, encoding);
}
return chunk;
}
Object.defineProperty(Writable.prototype, 'writableHighWaterMark', {
// making it explicit this property is not enumerable
// because otherwise some prototype manipulation in
// userland will fail
enumerable: false,
get: function () {
return this._writableState.highWaterMark;
}
});
// if we're already writing something, then just put this
// in the queue, and wait our turn. Otherwise, call _write
// If we return false, then we need a drain event, so set that flag.
function writeOrBuffer(stream, state, isBuf, chunk, encoding, cb) {
if (!isBuf) {
var newChunk = decodeChunk(state, chunk, encoding);
if (chunk !== newChunk) {
isBuf = true;
encoding = 'buffer';
chunk = newChunk;
}
}
var len = state.objectMode ? 1 : chunk.length;
state.length += len;
var ret = state.length < state.highWaterMark;
// we must ensure that previous needDrain will not be reset to false.
if (!ret) state.needDrain = true;
if (state.writing || state.corked) {
var last = state.lastBufferedRequest;
state.lastBufferedRequest = {
chunk: chunk,
encoding: encoding,
isBuf: isBuf,
callback: cb,
next: null
};
if (last) {
last.next = state.lastBufferedRequest;
} else {
state.bufferedRequest = state.lastBufferedRequest;
}
state.bufferedRequestCount += 1;
} else {
doWrite(stream, state, false, len, chunk, encoding, cb);
}
return ret;
}
function doWrite(stream, state, writev, len, chunk, encoding, cb) {
state.writelen = len;
state.writecb = cb;
state.writing = true;
state.sync = true;
if (writev) stream._writev(chunk, state.onwrite);else stream._write(chunk, encoding, state.onwrite);
state.sync = false;
}
function onwriteError(stream, state, sync, er, cb) {
--state.pendingcb;
if (sync) {
// defer the callback if we are being called synchronously
// to avoid piling up things on the stack
pna.nextTick(cb, er);
// this can emit finish, and it will always happen
// after error
pna.nextTick(finishMaybe, stream, state);
stream._writableState.errorEmitted = true;
stream.emit('error', er);
} else {
// the caller expect this to happen before if
// it is async
cb(er);
stream._writableState.errorEmitted = true;
stream.emit('error', er);
// this can emit finish, but finish must
// always follow error
finishMaybe(stream, state);
}
}
function onwriteStateUpdate(state) {
state.writing = false;
state.writecb = null;
state.length -= state.writelen;
state.writelen = 0;
}
function onwrite(stream, er) {
var state = stream._writableState;
var sync = state.sync;
var cb = state.writecb;
onwriteStateUpdate(state);
if (er) onwriteError(stream, state, sync, er, cb);else {
// Check if we're actually ready to finish, but don't emit yet
var finished = needFinish(state);
if (!finished && !state.corked && !state.bufferProcessing && state.bufferedRequest) {
clearBuffer(stream, state);
}
if (sync) {
/*<replacement>*/
asyncWrite(afterWrite, stream, state, finished, cb);
/*</replacement>*/
} else {
afterWrite(stream, state, finished, cb);
}
}
}
function afterWrite(stream, state, finished, cb) {
if (!finished) onwriteDrain(stream, state);
state.pendingcb--;
cb();
finishMaybe(stream, state);
}
// Must force callback to be called on nextTick, so that we don't
// emit 'drain' before the write() consumer gets the 'false' return
// value, and has a chance to attach a 'drain' listener.
function onwriteDrain(stream, state) {
if (state.length === 0 && state.needDrain) {
state.needDrain = false;
stream.emit('drain');
}
}
// if there's something in the buffer waiting, then process it
function clearBuffer(stream, state) {
state.bufferProcessing = true;
var entry = state.bufferedRequest;
if (stream._writev && entry && entry.next) {
// Fast case, write everything using _writev()
var l = state.bufferedRequestCount;
var buffer = new Array(l);
var holder = state.corkedRequestsFree;
holder.entry = entry;
var count = 0;
var allBuffers = true;
while (entry) {
buffer[count] = entry;
if (!entry.isBuf) allBuffers = false;
entry = entry.next;
count += 1;
}
buffer.allBuffers = allBuffers;
doWrite(stream, state, true, state.length, buffer, '', holder.finish);
// doWrite is almost always async, defer these to save a bit of time
// as the hot path ends with doWrite
state.pendingcb++;
state.lastBufferedRequest = null;
if (holder.next) {
state.corkedRequestsFree = holder.next;
holder.next = null;
} else {
state.corkedRequestsFree = new CorkedRequest(state);
}
state.bufferedRequestCount = 0;
} else {
// Slow case, write chunks one-by-one
while (entry) {
var chunk = entry.chunk;
var encoding = entry.encoding;
var cb = entry.callback;
var len = state.objectMode ? 1 : chunk.length;
doWrite(stream, state, false, len, chunk, encoding, cb);
entry = entry.next;
state.bufferedRequestCount--;
// if we didn't call the onwrite immediately, then
// it means that we need to wait until it does.
// also, that means that the chunk and cb are currently
// being processed, so move the buffer counter past them.
if (state.writing) {
break;
}
}
if (entry === null) state.lastBufferedRequest = null;
}
state.bufferedRequest = entry;
state.bufferProcessing = false;
}
Writable.prototype._write = function (chunk, encoding, cb) {
cb(new Error('_write() is not implemented'));
};
Writable.prototype._writev = null;
Writable.prototype.end = function (chunk, encoding, cb) {
var state = this._writableState;
if (typeof chunk === 'function') {
cb = chunk;
chunk = null;
encoding = null;
} else if (typeof encoding === 'function') {
cb = encoding;
encoding = null;
}
if (chunk !== null && chunk !== undefined) this.write(chunk, encoding);
// .end() fully uncorks
if (state.corked) {
state.corked = 1;
this.uncork();
}
// ignore unnecessary end() calls.
if (!state.ending && !state.finished) endWritable(this, state, cb);
};
function needFinish(state) {
return state.ending && state.length === 0 && state.bufferedRequest === null && !state.finished && !state.writing;
}
function callFinal(stream, state) {
stream._final(function (err) {
state.pendingcb--;
if (err) {
stream.emit('error', err);
}
state.prefinished = true;
stream.emit('prefinish');
finishMaybe(stream, state);
});
}
function prefinish(stream, state) {
if (!state.prefinished && !state.finalCalled) {
if (typeof stream._final === 'function') {
state.pendingcb++;
state.finalCalled = true;
pna.nextTick(callFinal, stream, state);
} else {
state.prefinished = true;
stream.emit('prefinish');
}
}
}
function finishMaybe(stream, state) {
var need = needFinish(state);
if (need) {
prefinish(stream, state);
if (state.pendingcb === 0) {
state.finished = true;
stream.emit('finish');
}
}
return need;
}
function endWritable(stream, state, cb) {
state.ending = true;
finishMaybe(stream, state);
if (cb) {
if (state.finished) pna.nextTick(cb);else stream.once('finish', cb);
}
state.ended = true;
stream.writable = false;
}
function onCorkedFinish(corkReq, state, err) {
var entry = corkReq.entry;
corkReq.entry = null;
while (entry) {
var cb = entry.callback;
state.pendingcb--;
cb(err);
entry = entry.next;
}
if (state.corkedRequestsFree) {
state.corkedRequestsFree.next = corkReq;
} else {
state.corkedRequestsFree = corkReq;
}
}
Object.defineProperty(Writable.prototype, 'destroyed', {
get: function () {
if (this._writableState === undefined) {
return false;
}
return this._writableState.destroyed;
},
set: function (value) {
// we ignore the value if the stream
// has not been initialized yet
if (!this._writableState) {
return;
}
// backward compatibility, the user is explicitly
// managing destroyed
this._writableState.destroyed = value;
}
});
Writable.prototype.destroy = destroyImpl.destroy;
Writable.prototype._undestroy = destroyImpl.undestroy;
Writable.prototype._destroy = function (err, cb) {
this.end();
cb(err);
};
}).call(this,_dereq_(17),typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
},{"11":11,"14":14,"16":16,"17":17,"19":19,"25":25,"26":26,"33":33,"36":36}],24:[function(_dereq_,module,exports){
'use strict';
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var Buffer = _dereq_(33).Buffer;
var util = _dereq_(8);
function copyBuffer(src, target, offset) {
src.copy(target, offset);
}
module.exports = function () {
function BufferList() {
_classCallCheck(this, BufferList);
this.head = null;
this.tail = null;
this.length = 0;
}
BufferList.prototype.push = function push(v) {
var entry = { data: v, next: null };
if (this.length > 0) this.tail.next = entry;else this.head = entry;
this.tail = entry;
++this.length;
};
BufferList.prototype.unshift = function unshift(v) {
var entry = { data: v, next: this.head };
if (this.length === 0) this.tail = entry;
this.head = entry;
++this.length;
};
BufferList.prototype.shift = function shift() {
if (this.length === 0) return;
var ret = this.head.data;
if (this.length === 1) this.head = this.tail = null;else this.head = this.head.next;
--this.length;
return ret;
};
BufferList.prototype.clear = function clear() {
this.head = this.tail = null;
this.length = 0;
};
BufferList.prototype.join = function join(s) {
if (this.length === 0) return '';
var p = this.head;
var ret = '' + p.data;
while (p = p.next) {
ret += s + p.data;
}return ret;
};
BufferList.prototype.concat = function concat(n) {
if (this.length === 0) return Buffer.alloc(0);
if (this.length === 1) return this.head.data;
var ret = Buffer.allocUnsafe(n >>> 0);
var p = this.head;
var i = 0;
while (p) {
copyBuffer(p.data, ret, i);
i += p.data.length;
p = p.next;
}
return ret;
};
return BufferList;
}();
if (util && util.inspect && util.inspect.custom) {
module.exports.prototype[util.inspect.custom] = function () {
var obj = util.inspect({ length: this.length });
return this.constructor.name + ' ' + obj;
};
}
},{"33":33,"8":8}],25:[function(_dereq_,module,exports){
'use strict';
/*<replacement>*/
var pna = _dereq_(16);
/*</replacement>*/
// undocumented cb() API, needed for core, not for public API
function destroy(err, cb) {
var _this = this;
var readableDestroyed = this._readableState && this._readableState.destroyed;
var writableDestroyed = this._writableState && this._writableState.destroyed;
if (readableDestroyed || writableDestroyed) {
if (cb) {
cb(err);
} else if (err && (!this._writableState || !this._writableState.errorEmitted)) {
pna.nextTick(emitErrorNT, this, err);
}
return this;
}
// we set destroyed to true before firing error callbacks in order
// to make it re-entrance safe in case destroy() is called within callbacks
if (this._readableState) {
this._readableState.destroyed = true;
}
// if this is a duplex stream mark the writable part as destroyed as well
if (this._writableState) {
this._writableState.destroyed = true;
}
this._destroy(err || null, function (err) {
if (!cb && err) {
pna.nextTick(emitErrorNT, _this, err);
if (_this._writableState) {
_this._writableState.errorEmitted = true;
}
} else if (cb) {
cb(err);
}
});
return this;
}
function undestroy() {
if (this._readableState) {
this._readableState.destroyed = false;
this._readableState.reading = false;
this._readableState.ended = false;
this._readableState.endEmitted = false;
}
if (this._writableState) {
this._writableState.destroyed = false;
this._writableState.ended = false;
this._writableState.ending = false;
this._writableState.finished = false;
this._writableState.errorEmitted = false;
}
}
function emitErrorNT(self, err) {
self.emit('error', err);
}
module.exports = {
destroy: destroy,
undestroy: undestroy
};
},{"16":16}],26:[function(_dereq_,module,exports){
module.exports = _dereq_(12).EventEmitter;
},{"12":12}],27:[function(_dereq_,module,exports){
arguments[4][10][0].apply(exports,arguments)
},{"10":10}],28:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
'use strict';
/*<replacement>*/
var Buffer = _dereq_(33).Buffer;
/*</replacement>*/
var isEncoding = Buffer.isEncoding || function (encoding) {
encoding = '' + encoding;
switch (encoding && encoding.toLowerCase()) {
case 'hex':case 'utf8':case 'utf-8':case 'ascii':case 'binary':case 'base64':case 'ucs2':case 'ucs-2':case 'utf16le':case 'utf-16le':case 'raw':
return true;
default:
return false;
}
};
function _normalizeEncoding(enc) {
if (!enc) return 'utf8';
var retried;
while (true) {
switch (enc) {
case 'utf8':
case 'utf-8':
return 'utf8';
case 'ucs2':
case 'ucs-2':
case 'utf16le':
case 'utf-16le':
return 'utf16le';
case 'latin1':
case 'binary':
return 'latin1';
case 'base64':
case 'ascii':
case 'hex':
return enc;
default:
if (retried) return; // undefined
enc = ('' + enc).toLowerCase();
retried = true;
}
}
};
// Do not cache `Buffer.isEncoding` when checking encoding names as some
// modules monkey-patch it to support additional encodings
function normalizeEncoding(enc) {
var nenc = _normalizeEncoding(enc);
if (typeof nenc !== 'string' && (Buffer.isEncoding === isEncoding || !isEncoding(enc))) throw new Error('Unknown encoding: ' + enc);
return nenc || enc;
}
// StringDecoder provides an interface for efficiently splitting a series of
// buffers into a series of JS strings without breaking apart multi-byte
// characters.
exports.StringDecoder = StringDecoder;
function StringDecoder(encoding) {
this.encoding = normalizeEncoding(encoding);
var nb;
switch (this.encoding) {
case 'utf16le':
this.text = utf16Text;
this.end = utf16End;
nb = 4;
break;
case 'utf8':
this.fillLast = utf8FillLast;
nb = 4;
break;
case 'base64':
this.text = base64Text;
this.end = base64End;
nb = 3;
break;
default:
this.write = simpleWrite;
this.end = simpleEnd;
return;
}
this.lastNeed = 0;
this.lastTotal = 0;
this.lastChar = Buffer.allocUnsafe(nb);
}
StringDecoder.prototype.write = function (buf) {
if (buf.length === 0) return '';
var r;
var i;
if (this.lastNeed) {
r = this.fillLast(buf);
if (r === undefined) return '';
i = this.lastNeed;
this.lastNeed = 0;
} else {
i = 0;
}
if (i < buf.length) return r ? r + this.text(buf, i) : this.text(buf, i);
return r || '';
};
StringDecoder.prototype.end = utf8End;
// Returns only complete characters in a Buffer
StringDecoder.prototype.text = utf8Text;
// Attempts to complete a partial non-UTF-8 character using bytes from a Buffer
StringDecoder.prototype.fillLast = function (buf) {
if (this.lastNeed <= buf.length) {
buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, this.lastNeed);
return this.lastChar.toString(this.encoding, 0, this.lastTotal);
}
buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, buf.length);
this.lastNeed -= buf.length;
};
// Checks the type of a UTF-8 byte, whether it's ASCII, a leading byte, or a
// continuation byte. If an invalid byte is detected, -2 is returned.
function utf8CheckByte(byte) {
if (byte <= 0x7F) return 0;else if (byte >> 5 === 0x06) return 2;else if (byte >> 4 === 0x0E) return 3;else if (byte >> 3 === 0x1E) return 4;
return byte >> 6 === 0x02 ? -1 : -2;
}
// Checks at most 3 bytes at the end of a Buffer in order to detect an
// incomplete multi-byte UTF-8 character. The total number of bytes (2, 3, or 4)
// needed to complete the UTF-8 character (if applicable) are returned.
function utf8CheckIncomplete(self, buf, i) {
var j = buf.length - 1;
if (j < i) return 0;
var nb = utf8CheckByte(buf[j]);
if (nb >= 0) {
if (nb > 0) self.lastNeed = nb - 1;
return nb;
}
if (--j < i || nb === -2) return 0;
nb = utf8CheckByte(buf[j]);
if (nb >= 0) {
if (nb > 0) self.lastNeed = nb - 2;
return nb;
}
if (--j < i || nb === -2) return 0;
nb = utf8CheckByte(buf[j]);
if (nb >= 0) {
if (nb > 0) {
if (nb === 2) nb = 0;else self.lastNeed = nb - 3;
}
return nb;
}
return 0;
}
// Validates as many continuation bytes for a multi-byte UTF-8 character as
// needed or are available. If we see a non-continuation byte where we expect
// one, we "replace" the validated continuation bytes we've seen so far with
// a single UTF-8 replacement character ('\ufffd'), to match v8's UTF-8 decoding
// behavior. The continuation byte check is included three times in the case
// where all of the continuation bytes for a character exist in the same buffer.
// It is also done this way as a slight performance increase instead of using a
// loop.
function utf8CheckExtraBytes(self, buf, p) {
if ((buf[0] & 0xC0) !== 0x80) {
self.lastNeed = 0;
return '\ufffd';
}
if (self.lastNeed > 1 && buf.length > 1) {
if ((buf[1] & 0xC0) !== 0x80) {
self.lastNeed = 1;
return '\ufffd';
}
if (self.lastNeed > 2 && buf.length > 2) {
if ((buf[2] & 0xC0) !== 0x80) {
self.lastNeed = 2;
return '\ufffd';
}
}
}
}
// Attempts to complete a multi-byte UTF-8 character using bytes from a Buffer.
function utf8FillLast(buf) {
var p = this.lastTotal - this.lastNeed;
var r = utf8CheckExtraBytes(this, buf, p);
if (r !== undefined) return r;
if (this.lastNeed <= buf.length) {
buf.copy(this.lastChar, p, 0, this.lastNeed);
return this.lastChar.toString(this.encoding, 0, this.lastTotal);
}
buf.copy(this.lastChar, p, 0, buf.length);
this.lastNeed -= buf.length;
}
// Returns all complete UTF-8 characters in a Buffer. If the Buffer ended on a
// partial character, the character's bytes are buffered until the required
// number of bytes are available.
function utf8Text(buf, i) {
var total = utf8CheckIncomplete(this, buf, i);
if (!this.lastNeed) return buf.toString('utf8', i);
this.lastTotal = total;
var end = buf.length - (total - this.lastNeed);
buf.copy(this.lastChar, 0, end);
return buf.toString('utf8', i, end);
}
// For UTF-8, a replacement character is added when ending on a partial
// character.
function utf8End(buf) {
var r = buf && buf.length ? this.write(buf) : '';
if (this.lastNeed) return r + '\ufffd';
return r;
}
// UTF-16LE typically needs two bytes per character, but even if we have an even
// number of bytes available, we need to check if we end on a leading/high
// surrogate. In that case, we need to wait for the next two bytes in order to
// decode the last character properly.
function utf16Text(buf, i) {
if ((buf.length - i) % 2 === 0) {
var r = buf.toString('utf16le', i);
if (r) {
var c = r.charCodeAt(r.length - 1);
if (c >= 0xD800 && c <= 0xDBFF) {
this.lastNeed = 2;
this.lastTotal = 4;
this.lastChar[0] = buf[buf.length - 2];
this.lastChar[1] = buf[buf.length - 1];
return r.slice(0, -1);
}
}
return r;
}
this.lastNeed = 1;
this.lastTotal = 2;
this.lastChar[0] = buf[buf.length - 1];
return buf.toString('utf16le', i, buf.length - 1);
}
// For UTF-16LE we do not explicitly append special replacement characters if we
// end on a partial character, we simply let v8 handle that.
function utf16End(buf) {
var r = buf && buf.length ? this.write(buf) : '';
if (this.lastNeed) {
var end = this.lastTotal - this.lastNeed;
return r + this.lastChar.toString('utf16le', 0, end);
}
return r;
}
function base64Text(buf, i) {
var n = (buf.length - i) % 3;
if (n === 0) return buf.toString('base64', i);
this.lastNeed = 3 - n;
this.lastTotal = 3;
if (n === 1) {
this.lastChar[0] = buf[buf.length - 1];
} else {
this.lastChar[0] = buf[buf.length - 2];
this.lastChar[1] = buf[buf.length - 1];
}
return buf.toString('base64', i, buf.length - n);
}
function base64End(buf) {
var r = buf && buf.length ? this.write(buf) : '';
if (this.lastNeed) return r + this.lastChar.toString('base64', 0, 3 - this.lastNeed);
return r;
}
// Pass bytes on through for single-byte encodings (e.g. ascii, latin1, hex)
function simpleWrite(buf) {
return buf.toString(this.encoding);
}
function simpleEnd(buf) {
return buf && buf.length ? this.write(buf) : '';
}
},{"33":33}],29:[function(_dereq_,module,exports){
module.exports = _dereq_(30).PassThrough
},{"30":30}],30:[function(_dereq_,module,exports){
exports = module.exports = _dereq_(21);
exports.Stream = exports;
exports.Readable = exports;
exports.Writable = _dereq_(23);
exports.Duplex = _dereq_(19);
exports.Transform = _dereq_(22);
exports.PassThrough = _dereq_(20);
},{"19":19,"20":20,"21":21,"22":22,"23":23}],31:[function(_dereq_,module,exports){
module.exports = _dereq_(30).Transform
},{"30":30}],32:[function(_dereq_,module,exports){
module.exports = _dereq_(23);
},{"23":23}],33:[function(_dereq_,module,exports){
/* eslint-disable node/no-deprecated-api */
var buffer = _dereq_(9)
var Buffer = buffer.Buffer
// alternative to using Object.keys for old browsers
function copyProps (src, dst) {
for (var key in src) {
dst[key] = src[key]
}
}
if (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) {
module.exports = buffer
} else {
// Copy properties from require('buffer')
copyProps(buffer, exports)
exports.Buffer = SafeBuffer
}
function SafeBuffer (arg, encodingOrOffset, length) {
return Buffer(arg, encodingOrOffset, length)
}
// Copy static methods from Buffer
copyProps(Buffer, SafeBuffer)
SafeBuffer.from = function (arg, encodingOrOffset, length) {
if (typeof arg === 'number') {
throw new TypeError('Argument must not be a number')
}
return Buffer(arg, encodingOrOffset, length)
}
SafeBuffer.alloc = function (size, fill, encoding) {
if (typeof size !== 'number') {
throw new TypeError('Argument must be a number')
}
var buf = Buffer(size)
if (fill !== undefined) {
if (typeof encoding === 'string') {
buf.fill(fill, encoding)
} else {
buf.fill(fill)
}
} else {
buf.fill(0)
}
return buf
}
SafeBuffer.allocUnsafe = function (size) {
if (typeof size !== 'number') {
throw new TypeError('Argument must be a number')
}
return Buffer(size)
}
SafeBuffer.allocUnsafeSlow = function (size) {
if (typeof size !== 'number') {
throw new TypeError('Argument must be a number')
}
return buffer.SlowBuffer(size)
}
},{"9":9}],34:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
module.exports = Stream;
var EE = _dereq_(12).EventEmitter;
var inherits = _dereq_(14);
inherits(Stream, EE);
Stream.Readable = _dereq_(30);
Stream.Writable = _dereq_(32);
Stream.Duplex = _dereq_(18);
Stream.Transform = _dereq_(31);
Stream.PassThrough = _dereq_(29);
// Backwards-compat with node 0.4.x
Stream.Stream = Stream;
// old-style streams. Note that the pipe method (the only relevant
// part of this class) is overridden in the Readable class.
function Stream() {
EE.call(this);
}
Stream.prototype.pipe = function(dest, options) {
var source = this;
function ondata(chunk) {
if (dest.writable) {
if (false === dest.write(chunk) && source.pause) {
source.pause();
}
}
}
source.on('data', ondata);
function ondrain() {
if (source.readable && source.resume) {
source.resume();
}
}
dest.on('drain', ondrain);
// If the 'end' option is not supplied, dest.end() will be called when
// source gets the 'end' or 'close' events. Only dest.end() once.
if (!dest._isStdio && (!options || options.end !== false)) {
source.on('end', onend);
source.on('close', onclose);
}
var didOnEnd = false;
function onend() {
if (didOnEnd) return;
didOnEnd = true;
dest.end();
}
function onclose() {
if (didOnEnd) return;
didOnEnd = true;
if (typeof dest.destroy === 'function') dest.destroy();
}
// don't leave dangling pipes when there are errors.
function onerror(er) {
cleanup();
if (EE.listenerCount(this, 'error') === 0) {
throw er; // Unhandled stream error in pipe.
}
}
source.on('error', onerror);
dest.on('error', onerror);
// remove all the event listeners that were added.
function cleanup() {
source.removeListener('data', ondata);
dest.removeListener('drain', ondrain);
source.removeListener('end', onend);
source.removeListener('close', onclose);
source.removeListener('error', onerror);
dest.removeListener('error', onerror);
source.removeListener('end', cleanup);
source.removeListener('close', cleanup);
dest.removeListener('close', cleanup);
}
source.on('end', cleanup);
source.on('close', cleanup);
dest.on('close', cleanup);
dest.emit('pipe', source);
// Allow for unix-like usage: A.pipe(B).pipe(C)
return dest;
};
},{"12":12,"14":14,"18":18,"29":29,"30":30,"31":31,"32":32}],35:[function(_dereq_,module,exports){
// Copyright Joyent, Inc. and other Node contributors.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to permit
// persons to whom the Software is furnished to do so, subject to the
// following conditions:
//
// The above copyright notice and this permission notice shall be included
// in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
// USE OR OTHER DEALINGS IN THE SOFTWARE.
var Buffer = _dereq_(9).Buffer;
var isBufferEncoding = Buffer.isEncoding
|| function(encoding) {
switch (encoding && encoding.toLowerCase()) {
case 'hex': case 'utf8': case 'utf-8': case 'ascii': case 'binary': case 'base64': case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': case 'raw': return true;
default: return false;
}
}
function assertEncoding(encoding) {
if (encoding && !isBufferEncoding(encoding)) {
throw new Error('Unknown encoding: ' + encoding);
}
}
// StringDecoder provides an interface for efficiently splitting a series of
// buffers into a series of JS strings without breaking apart multi-byte
// characters. CESU-8 is handled as part of the UTF-8 encoding.
//
// @TODO Handling all encodings inside a single object makes it very difficult
// to reason about this code, so it should be split up in the future.
// @TODO There should be a utf8-strict encoding that rejects invalid UTF-8 code
// points as used by CESU-8.
var StringDecoder = exports.StringDecoder = function(encoding) {
this.encoding = (encoding || 'utf8').toLowerCase().replace(/[-_]/, '');
assertEncoding(encoding);
switch (this.encoding) {
case 'utf8':
// CESU-8 represents each of Surrogate Pair by 3-bytes
this.surrogateSize = 3;
break;
case 'ucs2':
case 'utf16le':
// UTF-16 represents each of Surrogate Pair by 2-bytes
this.surrogateSize = 2;
this.detectIncompleteChar = utf16DetectIncompleteChar;
break;
case 'base64':
// Base-64 stores 3 bytes in 4 chars, and pads the remainder.
this.surrogateSize = 3;
this.detectIncompleteChar = base64DetectIncompleteChar;
break;
default:
this.write = passThroughWrite;
return;
}
// Enough space to store all bytes of a single character. UTF-8 needs 4
// bytes, but CESU-8 may require up to 6 (3 bytes per surrogate).
this.charBuffer = new Buffer(6);
// Number of bytes received for the current incomplete multi-byte character.
this.charReceived = 0;
// Number of bytes expected for the current incomplete multi-byte character.
this.charLength = 0;
};
// write decodes the given buffer and returns it as JS string that is
// guaranteed to not contain any partial multi-byte characters. Any partial
// character found at the end of the buffer is buffered up, and will be
// returned when calling write again with the remaining bytes.
//
// Note: Converting a Buffer containing an orphan surrogate to a String
// currently works, but converting a String to a Buffer (via `new Buffer`, or
// Buffer#write) will replace incomplete surrogates with the unicode
// replacement character. See https://codereview.chromium.org/121173009/ .
StringDecoder.prototype.write = function(buffer) {
var charStr = '';
// if our last write ended with an incomplete multibyte character
while (this.charLength) {
// determine how many remaining bytes this buffer has to offer for this char
var available = (buffer.length >= this.charLength - this.charReceived) ?
this.charLength - this.charReceived :
buffer.length;
// add the new bytes to the char buffer
buffer.copy(this.charBuffer, this.charReceived, 0, available);
this.charReceived += available;
if (this.charReceived < this.charLength) {
// still not enough chars in this buffer? wait for more ...
return '';
}
// remove bytes belonging to the current character from the buffer
buffer = buffer.slice(available, buffer.length);
// get the character that was split
charStr = this.charBuffer.slice(0, this.charLength).toString(this.encoding);
// CESU-8: lead surrogate (D800-DBFF) is also the incomplete character
var charCode = charStr.charCodeAt(charStr.length - 1);
if (charCode >= 0xD800 && charCode <= 0xDBFF) {
this.charLength += this.surrogateSize;
charStr = '';
continue;
}
this.charReceived = this.charLength = 0;
// if there are no more bytes in this buffer, just emit our char
if (buffer.length === 0) {
return charStr;
}
break;
}
// determine and set charLength / charReceived
this.detectIncompleteChar(buffer);
var end = buffer.length;
if (this.charLength) {
// buffer the incomplete character bytes we got
buffer.copy(this.charBuffer, 0, buffer.length - this.charReceived, end);
end -= this.charReceived;
}
charStr += buffer.toString(this.encoding, 0, end);
var end = charStr.length - 1;
var charCode = charStr.charCodeAt(end);
// CESU-8: lead surrogate (D800-DBFF) is also the incomplete character
if (charCode >= 0xD800 && charCode <= 0xDBFF) {
var size = this.surrogateSize;
this.charLength += size;
this.charReceived += size;
this.charBuffer.copy(this.charBuffer, size, 0, size);
buffer.copy(this.charBuffer, 0, 0, size);
return charStr.substring(0, end);
}
// or just emit the charStr
return charStr;
};
// detectIncompleteChar determines if there is an incomplete UTF-8 character at
// the end of the given buffer. If so, it sets this.charLength to the byte
// length that character, and sets this.charReceived to the number of bytes
// that are available for this character.
StringDecoder.prototype.detectIncompleteChar = function(buffer) {
// determine how many bytes we have to check at the end of this buffer
var i = (buffer.length >= 3) ? 3 : buffer.length;
// Figure out if one of the last i bytes of our buffer announces an
// incomplete char.
for (; i > 0; i--) {
var c = buffer[buffer.length - i];
// See http://en.wikipedia.org/wiki/UTF-8#Description
// 110XXXXX
if (i == 1 && c >> 5 == 0x06) {
this.charLength = 2;
break;
}
// 1110XXXX
if (i <= 2 && c >> 4 == 0x0E) {
this.charLength = 3;
break;
}
// 11110XXX
if (i <= 3 && c >> 3 == 0x1E) {
this.charLength = 4;
break;
}
}
this.charReceived = i;
};
StringDecoder.prototype.end = function(buffer) {
var res = '';
if (buffer && buffer.length)
res = this.write(buffer);
if (this.charReceived) {
var cr = this.charReceived;
var buf = this.charBuffer;
var enc = this.encoding;
res += buf.slice(0, cr).toString(enc);
}
return res;
};
function passThroughWrite(buffer) {
return buffer.toString(this.encoding);
}
function utf16DetectIncompleteChar(buffer) {
this.charReceived = buffer.length % 2;
this.charLength = this.charReceived ? 2 : 0;
}
function base64DetectIncompleteChar(buffer) {
this.charReceived = buffer.length % 3;
this.charLength = this.charReceived ? 3 : 0;
}
},{"9":9}],36:[function(_dereq_,module,exports){
(function (global){
/**
* Module exports.
*/
module.exports = deprecate;
/**
* Mark that a method should not be used.
* Returns a modified function which warns once by default.
*
* If `localStorage.noDeprecation = true` is set, then it is a no-op.
*
* If `localStorage.throwDeprecation = true` is set, then deprecated functions
* will throw an Error when invoked.
*
* If `localStorage.traceDeprecation = true` is set, then deprecated functions
* will invoke `console.trace()` instead of `console.error()`.
*
* @param {Function} fn - the function to deprecate
* @param {String} msg - the string to print to the console when `fn` is invoked
* @returns {Function} a new "deprecated" version of `fn`
* @api public
*/
function deprecate (fn, msg) {
if (config('noDeprecation')) {
return fn;
}
var warned = false;
function deprecated() {
if (!warned) {
if (config('throwDeprecation')) {
throw new Error(msg);
} else if (config('traceDeprecation')) {
console.trace(msg);
} else {
console.warn(msg);
}
warned = true;
}
return fn.apply(this, arguments);
}
return deprecated;
}
/**
* Checks `localStorage` for boolean values for the given `name`.
*
* @param {String} name
* @returns {Boolean}
* @api private
*/
function config (name) {
// accessing global.localStorage can trigger a DOMException in sandboxed iframes
try {
if (!global.localStorage) return false;
} catch (_) {
return false;
}
var val = global.localStorage[name];
if (null == val) return false;
return String(val).toLowerCase() === 'true';
}
}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
},{}],37:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module imscDoc
*/
;
(function (imscDoc, sax, imscNames, imscStyles, imscUtils) {
/**
* Allows a client to provide callbacks to handle children of the <metadata> element
* @typedef {Object} MetadataHandler
* @property {?OpenTagCallBack} onOpenTag
* @property {?CloseTagCallBack} onCloseTag
* @property {?TextCallBack} onText
*/
/**
* Called when the opening tag of an element node is encountered.
* @callback OpenTagCallBack
* @param {string} ns Namespace URI of the element
* @param {string} name Local name of the element
* @param {Object[]} attributes List of attributes, each consisting of a
* `uri`, `name` and `value`
*/
/**
* Called when the closing tag of an element node is encountered.
* @callback CloseTagCallBack
*/
/**
* Called when a text node is encountered.
* @callback TextCallBack
* @param {string} contents Contents of the text node
*/
/**
* Parses an IMSC1 document into an opaque in-memory representation that exposes
* a single method <pre>getMediaTimeEvents()</pre> that returns a list of time
* offsets (in seconds) of the ISD, i.e. the points in time where the visual
* representation of the document change. `metadataHandler` allows the caller to
* be called back when nodes are present in <metadata> elements.
*
* @param {string} xmlstring XML document
* @param {?module:imscUtils.ErrorHandler} errorHandler Error callback
* @param {?MetadataHandler} metadataHandler Callback for <Metadata> elements
* @returns {Object} Opaque in-memory representation of an IMSC1 document
*/
imscDoc.fromXML = function (xmlstring, errorHandler, metadataHandler) {
var p = sax.parser(true, {xmlns: true});
var estack = [];
var xmllangstack = [];
var xmlspacestack = [];
var metadata_depth = 0;
var doc = null;
p.onclosetag = function (node) {
if (estack[0] instanceof Styling) {
/* flatten chained referential styling */
for (var sid in estack[0].styles) {
mergeChainedStyles(estack[0], estack[0].styles[sid], errorHandler);
}
} else if (estack[0] instanceof P || estack[0] instanceof Span) {
/* merge anonymous spans */
if (estack[0].contents.length > 1) {
var cs = [estack[0].contents[0]];
var c;
for (c = 1; c < estack[0].contents.length; c++) {
if (estack[0].contents[c] instanceof AnonymousSpan &&
cs[cs.length - 1] instanceof AnonymousSpan) {
cs[cs.length - 1].text += estack[0].contents[c].text;
} else {
cs.push(estack[0].contents[c]);
}
}
estack[0].contents = cs;
}
// remove redundant nested anonymous spans (9.3.3(1)(c))
if (estack[0] instanceof Span &&
estack[0].contents.length === 1 &&
estack[0].contents[0] instanceof AnonymousSpan &&
estack[0].text === null) {
estack[0].text = estack[0].contents[0].text;
delete estack[0].contents;
}
} else if (estack[0] instanceof ForeignElement) {
if (estack[0].node.uri === imscNames.ns_tt &&
estack[0].node.local === 'metadata') {
/* leave the metadata element */
metadata_depth--;
} else if (metadata_depth > 0 &&
metadataHandler &&
'onCloseTag' in metadataHandler) {
/* end of child of metadata element */
metadataHandler.onCloseTag();
}
}
// TODO: delete stylerefs?
// maintain the xml:space stack
xmlspacestack.shift();
// maintain the xml:lang stack
xmllangstack.shift();
// prepare for the next element
estack.shift();
};
p.ontext = function (str) {
if (estack[0] === undefined) {
/* ignoring text outside of elements */
} else if (estack[0] instanceof Span || estack[0] instanceof P) {
/* create an anonymous span */
var s = new AnonymousSpan();
s.initFromText(doc, estack[0], str, xmlspacestack[0], errorHandler);
estack[0].contents.push(s);
} else if (estack[0] instanceof ForeignElement &&
metadata_depth > 0 &&
metadataHandler &&
'onText' in metadataHandler) {
/* text node within a child of metadata element */
metadataHandler.onText(str);
}
};
p.onopentag = function (node) {
// maintain the xml:space stack
var xmlspace = node.attributes["xml:space"];
if (xmlspace) {
xmlspacestack.unshift(xmlspace.value);
} else {
if (xmlspacestack.length === 0) {
xmlspacestack.unshift("default");
} else {
xmlspacestack.unshift(xmlspacestack[0]);
}
}
/* maintain the xml:lang stack */
var xmllang = node.attributes["xml:lang"];
if (xmllang) {
xmllangstack.unshift(xmllang.value);
} else {
if (xmllangstack.length === 0) {
xmllangstack.unshift("");
} else {
xmllangstack.unshift(xmllangstack[0]);
}
}
/* process the element */
if (node.uri === imscNames.ns_tt) {
if (node.local === 'tt') {
if (doc !== null) {
reportFatal("Two <tt> elements at (" + this.line + "," + this.column + ")");
}
doc = new TT();
doc.initFromNode(node, errorHandler);
estack.unshift(doc);
} else if (node.local === 'head') {
if (!(estack[0] instanceof TT)) {
reportFatal("Parent of <head> element is not <tt> at (" + this.line + "," + this.column + ")");
}
if (doc.head !== null) {
reportFatal("Second <head> element at (" + this.line + "," + this.column + ")");
}
doc.head = new Head();
estack.unshift(doc.head);
} else if (node.local === 'styling') {
if (!(estack[0] instanceof Head)) {
reportFatal("Parent of <styling> element is not <head> at (" + this.line + "," + this.column + ")");
}
if (doc.head.styling !== null) {
reportFatal("Second <styling> element at (" + this.line + "," + this.column + ")");
}
doc.head.styling = new Styling();
estack.unshift(doc.head.styling);
} else if (node.local === 'style') {
var s;
if (estack[0] instanceof Styling) {
s = new Style();
s.initFromNode(node, errorHandler);
/* ignore <style> element missing @id */
if (!s.id) {
reportError("<style> element missing @id attribute");
} else {
doc.head.styling.styles[s.id] = s;
}
estack.unshift(s);
} else if (estack[0] instanceof Region) {
/* nested styles can be merged with specified styles
* immediately, with lower priority
* (see 8.4.4.2(3) at TTML1 )
*/
s = new Style();
s.initFromNode(node, errorHandler);
mergeStylesIfNotPresent(s.styleAttrs, estack[0].styleAttrs);
estack.unshift(s);
} else {
reportFatal(errorHandler, "Parent of <style> element is not <styling> or <region> at (" + this.line + "," + this.column + ")");
}
} else if (node.local === 'layout') {
if (!(estack[0] instanceof Head)) {
reportFatal(errorHandler, "Parent of <layout> element is not <head> at " + this.line + "," + this.column + ")");
}
if (doc.head.layout !== null) {
reportFatal(errorHandler, "Second <layout> element at " + this.line + "," + this.column + ")");
}
doc.head.layout = new Layout();
estack.unshift(doc.head.layout);
} else if (node.local === 'region') {
if (!(estack[0] instanceof Layout)) {
reportFatal(errorHandler, "Parent of <region> element is not <layout> at " + this.line + "," + this.column + ")");
}
var r = new Region();
r.initFromNode(doc, node, errorHandler);
if (!r.id || r.id in doc.head.layout.regions) {
reportError(errorHandler, "Ignoring <region> with duplicate or missing @id at " + this.line + "," + this.column + ")");
} else {
doc.head.layout.regions[r.id] = r;
doc._registerEvent(r);
}
estack.unshift(r);
} else if (node.local === 'body') {
if (!(estack[0] instanceof TT)) {
reportFatal(errorHandler, "Parent of <body> element is not <tt> at " + this.line + "," + this.column + ")");
}
if (doc.body !== null) {
reportFatal(errorHandler, "Second <body> element at " + this.line + "," + this.column + ")");
}
var b = new Body();
b.initFromNode(doc, node, errorHandler);
doc._registerEvent(b);
doc.body = b;
estack.unshift(b);
} else if (node.local === 'div') {
if (!(estack[0] instanceof Div || estack[0] instanceof Body)) {
reportFatal(errorHandler, "Parent of <div> element is not <body> or <div> at " + this.line + "," + this.column + ")");
}
var d = new Div();
d.initFromNode(doc, estack[0], node, errorHandler);
doc._registerEvent(d);
estack[0].contents.push(d);
estack.unshift(d);
} else if (node.local === 'p') {
if (!(estack[0] instanceof Div)) {
reportFatal(errorHandler, "Parent of <p> element is not <div> at " + this.line + "," + this.column + ")");
}
var p = new P();
p.initFromNode(doc, estack[0], node, errorHandler);
doc._registerEvent(p);
estack[0].contents.push(p);
estack.unshift(p);
} else if (node.local === 'span') {
if (!(estack[0] instanceof Span || estack[0] instanceof P)) {
reportFatal(errorHandler, "Parent of <span> element is not <span> or <p> at " + this.line + "," + this.column + ")");
}
var ns = new Span();
ns.initFromNode(doc, estack[0], node, xmlspacestack[0], errorHandler);
doc._registerEvent(ns);
estack[0].contents.push(ns);
estack.unshift(ns);
} else if (node.local === 'br') {
if (!(estack[0] instanceof Span || estack[0] instanceof P)) {
reportFatal(errorHandler, "Parent of <br> element is not <span> or <p> at " + this.line + "," + this.column + ")");
}
var nb = new Br();
nb.initFromNode(doc, estack[0], node, errorHandler);
doc._registerEvent(nb);
estack[0].contents.push(nb);
estack.unshift(nb);
} else if (node.local === 'set') {
if (!(estack[0] instanceof Span ||
estack[0] instanceof P ||
estack[0] instanceof Div ||
estack[0] instanceof Body ||
estack[0] instanceof Region ||
estack[0] instanceof Br)) {
reportFatal(errorHandler, "Parent of <set> element is not a content element or a region at " + this.line + "," + this.column + ")");
}
var st = new Set();
st.initFromNode(doc, estack[0], node, errorHandler);
doc._registerEvent(st);
estack[0].sets.push(st);
estack.unshift(st);
} else {
/* element in the TT namespace, but not a content element */
estack.unshift(new ForeignElement(node));
}
} else {
/* ignore elements not in the TTML namespace unless in metadata element */
estack.unshift(new ForeignElement(node));
}
/* handle metadata callbacks */
if (estack[0] instanceof ForeignElement) {
if (node.uri === imscNames.ns_tt &&
node.local === 'metadata') {
/* enter the metadata element */
metadata_depth++;
} else if (
metadata_depth > 0 &&
metadataHandler &&
'onOpenTag' in metadataHandler
) {
/* start of child of metadata element */
var attrs = [];
for (var a in node.attributes) {
attrs[node.attributes[a].uri + " " + node.attributes[a].local] =
{
uri: node.attributes[a].uri,
local: node.attributes[a].local,
value: node.attributes[a].value
};
}
metadataHandler.onOpenTag(node.uri, node.local, attrs);
}
}
};
// parse the document
p.write(xmlstring).close();
// all referential styling has been flatten, so delete the styling elements if there is a head
// otherwise create an empty head
if (doc.head !== null) {
delete doc.head.styling;
} else {
doc.head = new Head();
}
// create default region if no regions specified
if (doc.head.layout === null) {
doc.head.layout = new Layout();
}
var hasRegions = false;
/* AFAIK the only way to determine whether an object has members */
for (var i in doc.head.layout.regions) {
hasRegions = true;
break;
}
if (!hasRegions) {
var dr = Region.createDefaultRegion();
doc.head.layout.regions[dr.id] = dr;
}
return doc;
};
function ForeignElement(node) {
this.node = node;
}
function TT() {
this.events = [];
this.head = null;
this.body = null;
}
TT.prototype.initFromNode = function (node, errorHandler) {
/* compute cell resolution */
this.cellResolution = extractCellResolution(node, errorHandler);
/* extract frame rate and tick rate */
var frtr = extractFrameAndTickRate(node, errorHandler);
this.effectiveFrameRate = frtr.effectiveFrameRate;
this.tickRate = frtr.tickRate;
/* extract aspect ratio */
this.aspectRatio = extractAspectRatio(node, errorHandler);
/* check timebase */
var attr = findAttribute(node, imscNames.ns_ttp, "timeBase");
if (attr !== null && attr !== "media") {
reportFatal(errorHandler, "Unsupported time base");
}
/* retrieve extent */
var e = extractExtent(node, errorHandler);
if (e === null) {
/* TODO: remove once unit tests are ready */
this.pxDimensions = {'h': 480, 'w': 640};
} else {
if (e.h.unit !== "px" || e.w.unit !== "px") {
reportFatal(errorHandler, "Extent on TT must be in px or absent");
}
this.pxDimensions = {'h': e.h.value, 'w': e.w.value};
}
};
/* register a temporal events */
TT.prototype._registerEvent = function (elem) {
/* skip if begin is not < then end */
if (elem.end <= elem.begin) return;
/* index the begin time of the event */
var b_i = indexOf(this.events, elem.begin);
if (!b_i.found) {
this.events.splice(b_i.index, 0, elem.begin);
}
/* index the end time of the event */
if (elem.end !== Number.POSITIVE_INFINITY) {
var e_i = indexOf(this.events, elem.end);
if (!e_i.found) {
this.events.splice(e_i.index, 0, elem.end);
}
}
};
/*
* Retrieves the range of ISD times covered by the document
*
* @returns {Array} Array of two elements: min_begin_time and max_begin_time
*
*/
TT.prototype.getMediaTimeRange = function () {
return [this.events[0], this.events[this.events.length - 1]];
};
/*
* Returns list of ISD begin times
*
* @returns {Array}
*/
TT.prototype.getMediaTimeEvents = function () {
return this.events;
};
/*
* Represents a TTML Head element
*/
function Head() {
this.styling = null;
this.layout = null;
}
/*
* Represents a TTML Styling element
*/
function Styling() {
this.styles = {};
}
/*
* Represents a TTML Style element
*/
function Style() {
this.id = null;
this.styleAttrs = null;
this.styleRefs = null;
}
Style.prototype.initFromNode = function (node, errorHandler) {
this.id = elementGetXMLID(node);
this.styleAttrs = elementGetStyles(node, errorHandler);
this.styleRefs = elementGetStyleRefs(node);
};
/*
* Represents a TTML Layout element
*
*/
function Layout() {
this.regions = {};
}
/*
* Represents a TTML Content element
*
*/
function ContentElement(kind) {
this.kind = kind;
this.begin = null;
this.end = null;
this.styleAttrs = null;
this.regionID = null;
this.sets = null;
this.timeContainer = null;
}
ContentElement.prototype.initFromNode = function (doc, parent, node, errorHandler) {
var t = processTiming(doc, parent, node, errorHandler);
this.begin = t.begin;
this.end = t.end;
this.styleAttrs = elementGetStyles(node, errorHandler);
if (doc.head !== null && doc.head.styling !== null) {
mergeReferencedStyles(doc.head.styling, elementGetStyleRefs(node), this.styleAttrs, errorHandler);
}
this.regionID = elementGetRegionID(node);
this.sets = [];
this.timeContainer = elementGetTimeContainer(node, errorHandler);
};
/*
* Represents a TTML body element
*/
function Body() {
ContentElement.call(this, 'body');
}
Body.prototype.initFromNode = function (doc, node, errorHandler) {
ContentElement.prototype.initFromNode.call(this, doc, null, node, errorHandler);
this.contents = [];
};
/*
* Represents a TTML div element
*/
function Div() {
ContentElement.call(this, 'div');
}
Div.prototype.initFromNode = function (doc, parent, node, errorHandler) {
ContentElement.prototype.initFromNode.call(this, doc, parent, node, errorHandler);
this.contents = [];
};
/*
* Represents a TTML p element
*/
function P() {
ContentElement.call(this, 'p');
}
P.prototype.initFromNode = function (doc, parent, node, errorHandler) {
ContentElement.prototype.initFromNode.call(this, doc, parent, node, errorHandler);
this.contents = [];
};
/*
* Represents a TTML span element
*/
function Span() {
ContentElement.call(this, 'span');
this.space = null;
}
Span.prototype.initFromNode = function (doc, parent, node, xmlspace, errorHandler) {
ContentElement.prototype.initFromNode.call(this, doc, parent, node, errorHandler);
this.space = xmlspace;
this.contents = [];
};
/*
* Represents a TTML anonymous span element
*/
function AnonymousSpan() {
ContentElement.call(this, 'span');
this.space = null;
this.text = null;
}
AnonymousSpan.prototype.initFromText = function (doc, parent, text, xmlspace, errorHandler) {
ContentElement.prototype.initFromNode.call(this, doc, parent, null, errorHandler);
this.text = text;
this.space = xmlspace;
};
/*
* Represents a TTML br element
*/
function Br() {
ContentElement.call(this, 'br');
}
Br.prototype.initFromNode = function (doc, parent, node, errorHandler) {
ContentElement.prototype.initFromNode.call(this, doc, parent, node, errorHandler);
};
/*
* Represents a TTML Region element
*
*/
function Region() {
this.id = null;
this.begin = null;
this.end = null;
this.styleAttrs = null;
this.sets = null;
}
Region.createDefaultRegion = function () {
var r = new Region();
r.id = '';
r.begin = 0;
r.end = Number.POSITIVE_INFINITY;
r.styleAttrs = {};
r.sets = [];
return r;
};
Region.prototype.initFromNode = function (doc, node, errorHandler) {
this.id = elementGetXMLID(node);
var t = processTiming(doc, null, node, errorHandler);
this.begin = t.begin;
this.end = t.end;
this.styleAttrs = elementGetStyles(node, errorHandler);
this.sets = [];
/* immediately merge referenced styles */
if (doc.head !== null && doc.head.styling !== null) {
mergeReferencedStyles(doc.head.styling, elementGetStyleRefs(node), this.styleAttrs, errorHandler);
}
};
/*
* Represents a TTML Set element
*
*/
function Set() {
this.begin = null;
this.end = null;
this.qname = null;
this.value = null;
}
Set.prototype.initFromNode = function (doc, parent, node, errorHandler) {
var t = processTiming(doc, parent, node, errorHandler);
this.begin = t.begin;
this.end = t.end;
var styles = elementGetStyles(node, errorHandler);
for (var qname in styles) {
if (this.qname) {
reportError(errorHandler, "More than one style specified on set");
break;
}
this.qname = qname;
this.value = styles[qname];
}
};
/*
* Utility functions
*
*/
function elementGetXMLID(node) {
return node && 'xml:id' in node.attributes ? node.attributes['xml:id'].value || null : null;
}
function elementGetRegionID(node) {
return node && 'region' in node.attributes ? node.attributes.region.value : '';
}
function elementGetTimeContainer(node, errorHandler) {
var tc = node && 'timeContainer' in node.attributes ? node.attributes.timeContainer.value : null;
if ((!tc) || tc === "par") {
return "par";
} else if (tc === "seq") {
return "seq";
} else {
reportError(errorHandler, "Illegal value of timeContainer (assuming 'par')");
return "par";
}
}
function elementGetStyleRefs(node) {
return node && 'style' in node.attributes ? node.attributes.style.value.split(" ") : [];
}
function elementGetStyles(node, errorHandler) {
var s = {};
if (node !== null) {
for (var i in node.attributes) {
var qname = node.attributes[i].uri + " " + node.attributes[i].local;
var sa = imscStyles.byQName[qname];
if (sa !== undefined) {
var val = sa.parse(node.attributes[i].value);
if (val !== null) {
s[qname] = val;
/* TODO: consider refactoring errorHandler into parse and compute routines */
if (sa === imscStyles.byName.zIndex) {
reportWarning(errorHandler, "zIndex attribute present but not used by IMSC1 since regions do not overlap");
}
} else {
reportError(errorHandler, "Cannot parse styling attribute " + qname + " --> " + node.attributes[i].value);
}
}
}
}
return s;
}
function findAttribute(node, ns, name) {
for (var i in node.attributes) {
if (node.attributes[i].uri === ns &&
node.attributes[i].local === name) {
return node.attributes[i].value;
}
}
return null;
}
function extractAspectRatio(node, errorHandler) {
var ar = findAttribute(node, imscNames.ns_ittp, "aspectRatio");
var rslt = null;
if (ar !== null) {
var ASPECT_RATIO_RE = /(\d+) (\d+)/;
var m = ASPECT_RATIO_RE.exec(ar);
if (m !== null) {
var w = parseInt(m[1]);
var h = parseInt(m[2]);
if (w !== 0 && h !== 0) {
rslt = w / h;
} else {
reportError(errorHandler, "Illegal aspectRatio values (ignoring)");
}
} else {
reportError(errorHandler, "Malformed aspectRatio attribute (ignoring)");
}
}
return rslt;
}
/*
* Returns the cellResolution attribute from a node
*
*/
function extractCellResolution(node, errorHandler) {
var cr = findAttribute(node, imscNames.ns_ttp, "cellResolution");
// initial value
var h = 15;
var w = 32;
if (cr !== null) {
var CELL_RESOLUTION_RE = /(\d+) (\d+)/;
var m = CELL_RESOLUTION_RE.exec(cr);
if (m !== null) {
w = parseInt(m[1]);
h = parseInt(m[2]);
} else {
reportWarning(errorHandler, "Malformed cellResolution value (using initial value instead)");
}
}
return {'w': w, 'h': h};
}
function extractFrameAndTickRate(node, errorHandler) {
// subFrameRate is ignored per IMSC1 specification
// extract frame rate
var fps_attr = findAttribute(node, imscNames.ns_ttp, "frameRate");
// initial value
var fps = 30;
// match variable
var m;
if (fps_attr !== null) {
var FRAME_RATE_RE = /(\d+)/;
m = FRAME_RATE_RE.exec(fps_attr);
if (m !== null) {
fps = parseInt(m[1]);
} else {
reportWarning(errorHandler, "Malformed frame rate attribute (using initial value instead)");
}
}
// extract frame rate multiplier
var frm_attr = findAttribute(node, imscNames.ns_ttp, "frameRateMultiplier");
// initial value
var frm = 1;
if (frm_attr !== null) {
var FRAME_RATE_MULT_RE = /(\d+) (\d+)/;
m = FRAME_RATE_MULT_RE.exec(frm_attr);
if (m !== null) {
frm = parseInt(m[1]) / parseInt(m[2]);
} else {
reportWarning(errorHandler, "Malformed frame rate multiplier attribute (using initial value instead)");
}
}
var efps = frm * fps;
// extract tick rate
var tr = 1;
var trattr = findAttribute(node, imscNames.ns_ttp, "tickRate");
if (trattr === null) {
if (fps_attr !== null) tr = efps;
} else {
var TICK_RATE_RE = /(\d+)/;
m = TICK_RATE_RE.exec(trattr);
if (m !== null) {
tr = parseInt(m[1]);
} else {
reportWarning(errorHandler, "Malformed tick rate attribute (using initial value instead)");
}
}
return {effectiveFrameRate: efps, tickRate: tr};
}
function extractExtent(node, errorHandler) {
var attr = findAttribute(node, imscNames.ns_tts, "extent");
if (attr === null) return null;
var s = attr.split(" ");
if (s.length !== 2) {
reportWarning(errorHandler, "Malformed extent (ignoring)");
return null;
}
var w = imscUtils.parseLength(s[0]);
var h = imscUtils.parseLength(s[1]);
if (!h || !w) {
reportWarning(errorHandler, "Malformed extent values (ignoring)");
return null;
}
return {'h': h, 'w': w};
}
function parseTimeExpression(tickRate, effectiveFrameRate, str) {
var CLOCK_TIME_FRACTION_RE = /^(\d{2,}):(\d\d):(\d\d(?:\.\d+)?)$/;
var CLOCK_TIME_FRAMES_RE = /^(\d{2,}):(\d\d):(\d\d)\:(\d{2,})$/;
var OFFSET_FRAME_RE = /^(\d+(?:\.\d+)?)f$/;
var OFFSET_TICK_RE = /^(\d+(?:\.\d+)?)t$/;
var OFFSET_MS_RE = /^(\d+(?:\.\d+)?)ms$/;
var OFFSET_S_RE = /^(\d+(?:\.\d+)?)s$/;
var OFFSET_H_RE = /^(\d+(?:\.\d+)?)h$/;
var OFFSET_M_RE = /^(\d+(?:\.\d+)?)m$/;
var m;
var r = null;
if ((m = OFFSET_FRAME_RE.exec(str)) !== null) {
if (effectiveFrameRate !== null) {
r = parseFloat(m[1]) / effectiveFrameRate;
}
} else if ((m = OFFSET_TICK_RE.exec(str)) !== null) {
if (tickRate !== null) {
r = parseFloat(m[1]) / tickRate;
}
} else if ((m = OFFSET_MS_RE.exec(str)) !== null) {
r = parseFloat(m[1]) / 1000.0;
} else if ((m = OFFSET_S_RE.exec(str)) !== null) {
r = parseFloat(m[1]);
} else if ((m = OFFSET_H_RE.exec(str)) !== null) {
r = parseFloat(m[1]) * 3600.0;
} else if ((m = OFFSET_M_RE.exec(str)) !== null) {
r = parseFloat(m[1]) * 60.0;
} else if ((m = CLOCK_TIME_FRACTION_RE.exec(str)) !== null) {
r = parseInt(m[1]) * 3600 +
parseInt(m[2]) * 60 +
parseFloat(m[3]);
} else if ((m = CLOCK_TIME_FRAMES_RE.exec(str)) !== null) {
/* this assumes that HH:MM:SS is a clock-time-with-fraction */
if (effectiveFrameRate !== null) {
r = parseInt(m[1]) * 3600 +
parseInt(m[2]) * 60 +
parseInt(m[3]) +
(m[4] === null ? 0 : parseInt(m[4]) / effectiveFrameRate);
}
}
return r;
}
function processTiming(doc, parent, node, errorHandler) {
/* Q: what does this do <div b=1 e=3><p b=1 e=5> ?*/
/* Q: are children clipped by parent time interval? */
var isseq = parent && parent.timeContainer === "seq";
/* retrieve begin value */
var b = 0;
if (node && 'begin' in node.attributes) {
b = parseTimeExpression(doc.tickRate, doc.effectiveFrameRate, node.attributes.begin.value);
if (b === null) {
reportWarning(errorHandler, "Malformed begin value " + node.attributes.begin.value + " (using 0)");
b = 0;
}
}
/* retrieve dur value */
/* NOTE: end is not meaningful on seq container children and dur is equal to 0 if not specified */
var d = isseq ? 0 : null;
if (node && 'dur' in node.attributes) {
d = parseTimeExpression(doc.tickRate, doc.effectiveFrameRate, node.attributes.dur.value);
if (d === null) {
reportWarning(errorHandler, "Malformed dur value " + node.attributes.dur.value + " (ignoring)");
}
}
/* retrieve end value */
var e = null;
if (node && 'end' in node.attributes) {
e = parseTimeExpression(doc.tickRate, doc.effectiveFrameRate, node.attributes.end.value);
if (e === null) {
reportWarning(errorHandler, "Malformed end value (ignoring)");
}
}
/* compute starting offset */
var start_off = 0;
if (parent) {
if (isseq && 'contents' in parent && parent.contents.length > 0) {
/*
* if seq time container, offset from the previous sibling end
*/
start_off = parent.contents[parent.contents.length - 1].end;
} else {
/*
* retrieve parent begin. Assume 0 if no parent.
*
*/
start_off = parent.begin || 0;
}
}
/* offset begin per time container semantics */
b += start_off;
/* set end */
if (d !== null) {
// use dur if specified
e = b + d;
} else {
/* retrieve parent end, or +infinity if none */
var parent_e = (parent && 'end' in parent) ? parent.end : Number.POSITIVE_INFINITY;
e = (e !== null) ? e + start_off : parent_e;
}
return {begin: b, end: e};
}
function mergeChainedStyles(styling, style, errorHandler) {
while (style.styleRefs.length > 0) {
var sref = style.styleRefs.pop();
if (!(sref in styling.styles)) {
reportError(errorHandler, "Non-existant style id referenced");
continue;
}
mergeChainedStyles(styling, styling.styles[sref], errorHandler);
mergeStylesIfNotPresent(styling.styles[sref].styleAttrs, style.styleAttrs);
}
}
function mergeReferencedStyles(styling, stylerefs, styleattrs, errorHandler) {
for (var i = stylerefs.length - 1; i >= 0; i--) {
var sref = stylerefs[i];
if (!(sref in styling.styles)) {
reportError(errorHandler, "Non-existant style id referenced");
continue;
}
mergeStylesIfNotPresent(styling.styles[sref].styleAttrs, styleattrs);
}
}
function mergeStylesIfNotPresent(from_styles, into_styles) {
for (var sname in from_styles) {
if (sname in into_styles)
continue;
into_styles[sname] = from_styles[sname];
}
}
/* TODO: validate style format at parsing */
/*
* ERROR HANDLING UTILITY FUNCTIONS
*
*/
function reportInfo(errorHandler, msg) {
if (errorHandler && errorHandler.info && errorHandler.info(msg))
throw msg;
}
function reportWarning(errorHandler, msg) {
if (errorHandler && errorHandler.warn && errorHandler.warn(msg))
throw msg;
}
function reportError(errorHandler, msg) {
if (errorHandler && errorHandler.error && errorHandler.error(msg))
throw msg;
}
function reportFatal(errorHandler, msg) {
if (errorHandler && errorHandler.fatal)
errorHandler.fatal(msg);
throw msg;
}
/*
* Binary search utility function
*
* @typedef {Object} BinarySearchResult
* @property {boolean} found Was an exact match found?
* @property {number} index Position of the exact match or insert position
*
* @returns {BinarySearchResult}
*/
function indexOf(arr, searchval) {
var min = 0;
var max = arr.length - 1;
var cur;
while (min <= max) {
cur = Math.floor((min + max) / 2);
var curval = arr[cur];
if (curval < searchval) {
min = cur + 1;
} else if (curval > searchval) {
max = cur - 1;
} else {
return {found: true, index: cur};
}
}
return {found: false, index: min};
}
})(typeof exports === 'undefined' ? this.imscDoc = {} : exports,
typeof sax === 'undefined' ? _dereq_(44) : sax,
typeof imscNames === 'undefined' ? _dereq_(41) : imscNames,
typeof imscStyles === 'undefined' ? _dereq_(42) : imscStyles,
typeof imscUtils === 'undefined' ? _dereq_(43) : imscUtils);
},{"41":41,"42":42,"43":43,"44":44}],38:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module imscHTML
*/
;
(function (imscHTML, imscNames, imscStyles) {
/**
* Function that maps <pre>smpte:background</pre> URIs to URLs resolving to image resource
* @callback IMGResolver
* @param {string} <pre>smpte:background</pre> URI
* @return {string} PNG resource URL
*/
/**
* Renders an ISD object (returned by <pre>generateISD()</pre>) into a
* parent element, that must be attached to the DOM. The ISD will be rendered
* into a child <pre>div</pre>
* with heigh and width equal to the clientHeight and clientWidth of the element,
* unless explicitly specified otherwise by the caller. Images URIs specified
* by <pre>smpte:background</pre> attributes are mapped to image resource URLs
* by an <pre>imgResolver</pre> function. The latter takes the value of <code>smpte:background</code>
* attribute and an <code>img</code> DOM element as input, and is expected to
* set the <code>src</code> attribute of the <code>img</code> to the absolute URI of the image.
* <pre>displayForcedOnlyMode</pre> sets the (boolean)
* value of the IMSC1 displayForcedOnlyMode parameter. The function returns
* an opaque object that should passed in <code>previousISDState</code> when this function
* is called for the next ISD, otherwise <code>previousISDState</code> should be set to
* <code>null</code>.
*
* @param {Object} isd ISD to be rendered
* @param {Object} element Element into which the ISD is rendered
* @param {?IMGResolver} imgResolver Resolve <pre>smpte:background</pre> URIs into URLs.
* @param {?number} eheight Height (in pixel) of the child <div>div</div> or null
* to use clientHeight of the parent element
* @param {?number} ewidth Width (in pixel) of the child <div>div</div> or null
* to use clientWidth of the parent element
* @param {?boolean} displayForcedOnlyMode Value of the IMSC1 displayForcedOnlyMode parameter,
* or false if null
* @param {?module:imscUtils.ErrorHandler} errorHandler Error callback
* @param {Object} previousISDState State saved during processing of the previous ISD, or null if initial call
* @param {?boolean} enableRollUp Enables roll-up animations (see CEA 708)
* @return {Object} ISD state to be provided when this funtion is called for the next ISD
*/
imscHTML.render = function ( isd,
element,
imgResolver,
eheight,
ewidth,
displayForcedOnlyMode,
errorHandler,
previousISDState,
enableRollUp
) {
/* maintain aspect ratio if specified */
var height = eheight || element.clientHeight;
var width = ewidth || element.clientWidth;
if (isd.aspectRatio !== null) {
var twidth = height * isd.aspectRatio;
if (twidth > width) {
height = Math.round(width / isd.aspectRatio);
} else {
width = twidth;
}
}
var rootcontainer = document.createElement("div");
rootcontainer.style.position = "relative";
rootcontainer.style.width = width + "px";
rootcontainer.style.height = height + "px";
rootcontainer.style.margin = "auto";
rootcontainer.style.top = 0;
rootcontainer.style.bottom = 0;
rootcontainer.style.left = 0;
rootcontainer.style.right = 0;
rootcontainer.style.zIndex = 0;
var context = {
h: height,
w: width,
regionH: null,
regionW: null,
imgResolver: imgResolver,
displayForcedOnlyMode: displayForcedOnlyMode || false,
isd: isd,
errorHandler: errorHandler,
previousISDState: previousISDState,
enableRollUp : enableRollUp || false,
currentISDState: {}
};
element.appendChild(rootcontainer);
for (var i in isd.contents) {
processElement(context, rootcontainer, isd.contents[i]);
}
return context.currentISDState;
};
function processElement(context, dom_parent, isd_element) {
var e;
if (isd_element.kind === 'region') {
e = document.createElement("div");
e.style.position = "absolute";
} else if (isd_element.kind === 'body') {
e = document.createElement("div");
} else if (isd_element.kind === 'div') {
e = document.createElement("div");
} else if (isd_element.kind === 'p') {
e = document.createElement("p");
} else if (isd_element.kind === 'span') {
e = document.createElement("span");
//e.textContent = isd_element.text;
} else if (isd_element.kind === 'br') {
e = document.createElement("br");
}
if (!e) {
reportError(context.errorHandler, "Error processing ISD element kind: " + isd_element.kind);
return;
}
/* override UA default margin */
e.style.margin = "0";
/* tranform TTML styles to CSS styles */
for (var i in STYLING_MAP_DEFS) {
var sm = STYLING_MAP_DEFS[i];
var attr = isd_element.styleAttrs[sm.qname];
if (attr !== undefined && sm.map !== null) {
sm.map(context, e, isd_element, attr);
}
}
var proc_e = e;
// handle multiRowAlign and linePadding
var mra = isd_element.styleAttrs[imscStyles.byName.multiRowAlign.qname];
if (mra && mra !== "auto") {
var s = document.createElement("span");
s.style.display = "inline-block";
s.style.textAlign = mra;
e.appendChild(s);
proc_e = s;
context.mra = mra;
}
var lp = isd_element.styleAttrs[imscStyles.byName.linePadding.qname];
if (lp && lp > 0) {
context.lp = lp;
}
// wrap characters in spans to find the line wrap locations
if (isd_element.kind === "span" && isd_element.text) {
if (context.lp || context.mra) {
for (var j = 0; j < isd_element.text.length; j++) {
var span = document.createElement("span");
span.textContent = isd_element.text.charAt(j);
e.appendChild(span);
}
} else {
e.textContent = isd_element.text;
}
}
dom_parent.appendChild(e);
for (var k in isd_element.contents) {
processElement(context, proc_e, isd_element.contents[k]);
}
// handle linePadding and multiRowAlign
if ((context.lp || context.mra) && isd_element.kind === "p") {
var elist = [];
constructElementList(proc_e, elist, "red");
/* TODO: linePadding only supported for horizontal scripts */
processLinePaddingAndMultiRowAlign(elist, context.lp * context.h);
/* TODO: clean-up the spans ? */
if (context.lp)
delete context.lp;
if (context.mra)
delete context.mra;
}
/* region processing */
if (isd_element.kind === "region") {
/* build line list */
var linelist = [];
constructLineList(proc_e, linelist);
/* perform roll up if needed */
var wdir = isd_element.styleAttrs[imscStyles.byName.writingMode.qname];
if ((wdir === "lrtb" || wdir === "lr" || wdir === "rltb" || wdir === "rl") &&
context.enableRollUp &&
isd_element.contents.length > 0 &&
isd_element.styleAttrs[imscStyles.byName.displayAlign.qname] === 'after') {
/* horrible hack, perhaps default region id should be underscore everywhere? */
var rid = isd_element.id === '' ? '_' : isd_element.id;
var rb = new RegionPBuffer(rid, linelist);
context.currentISDState[rb.id] = rb;
if (context.previousISDState &&
rb.id in context.previousISDState &&
context.previousISDState[rb.id].plist.length > 0 &&
rb.plist.length > 1 &&
rb.plist[rb.plist.length - 2].text ===
context.previousISDState[rb.id].plist[context.previousISDState[rb.id].plist.length - 1].text) {
var body_elem = e.firstElementChild;
body_elem.style.bottom = "-" + rb.plist[rb.plist.length - 1].height + "px";
body_elem.style.transition = "transform 0.4s";
body_elem.style.position = "relative";
body_elem.style.transform = "translateY(-" + rb.plist[rb.plist.length - 1].height + "px)";
}
}
}
}
function RegionPBuffer(id, lineList) {
this.id = id;
this.plist = lineList;
}
function pruneEmptySpans(element) {
var child = element.firstChild;
while (child) {
var nchild = child.nextSibling;
if (child.nodeType === Node.ELEMENT_NODE &&
child.localName === 'span') {
pruneEmptySpans(child);
if (child.childElementCount === 0 &&
child.textContent.length === 0) {
element.removeChild(child);
}
}
child = nchild;
}
}
function constructElementList(element, elist, bgcolor) {
if (element.childElementCount === 0) {
elist.push({
"element": element,
"bgcolor": bgcolor}
);
} else {
var newbgcolor = element.style.backgroundColor || bgcolor;
var child = element.firstChild;
while (child) {
if (child.nodeType === Node.ELEMENT_NODE) {
constructElementList(child, elist, newbgcolor);
}
child = child.nextSibling;
}
}
}
function constructLineList(element, llist) {
if (element.childElementCount === 0 && element.localName === 'span') {
var r = element.getBoundingClientRect();
if (llist.length === 0 ||
(!isSameLine(r.top, r.height, llist[llist.length - 1].top, llist[llist.length - 1].height))
) {
llist.push({
top: r.top,
height: r.height,
text: element.textContent
});
} else {
if (r.top < llist[llist.length - 1].top) {
llist[llist.length - 1].top = r.top;
}
if (r.height > llist[llist.length - 1].height) {
llist[llist.length - 1].height = r.height;
}
llist[llist.length - 1].text += element.textContent;
}
} else {
var child = element.firstChild;
while (child) {
if (child.nodeType === Node.ELEMENT_NODE) {
constructLineList(child, llist);
}
child = child.nextSibling;
}
}
}
function isSameLine(top1, height1, top2, height2) {
return (((top1 + height1) < (top2 + height2)) && (top1 > top2)) || (((top2 + height2) <= (top1 + height1)) && (top2 >= top1));
}
function processLinePaddingAndMultiRowAlign(elist, lp) {
var line_head = null;
var lookingForHead = true;
var foundBR = false;
for (var i = 0; i <= elist.length; i++) {
/* skip <br> since they apparently have a different box top than
* the rest of the line
*/
if (i !== elist.length && elist[i].element.localName === "br") {
foundBR = true;
continue;
}
/* detect new line */
if (line_head === null ||
i === elist.length ||
(!isSameLine(elist[i].element.getBoundingClientRect().top,
elist[i].element.getBoundingClientRect().height,
elist[line_head].element.getBoundingClientRect().top,
elist[line_head].element.getBoundingClientRect().height))
) {
/* apply right padding to previous line (if applicable and unless this is the first line) */
if (lp && (!lookingForHead)) {
for (; --i >= 0; ) {
if (elist[i].element.getBoundingClientRect().width !== 0) {
addRightPadding(elist[i].element, elist[i].color, lp);
if (elist[i].element.getBoundingClientRect().width !== 0 &&
isSameLine(elist[i].element.getBoundingClientRect().top,
elist[i].element.getBoundingClientRect().height,
elist[line_head].element.getBoundingClientRect().top,
elist[line_head].element.getBoundingClientRect().height))
break;
removeRightPadding(elist[i].element);
}
}
lookingForHead = true;
continue;
}
/* explicit <br> unless already present */
if (i !== elist.length && line_head !== null && (!foundBR)) {
var br = document.createElement("br");
elist[i].element.parentElement.insertBefore(br, elist[i].element);
elist.splice(i, 0, {"element": br});
foundBR = true;
continue;
}
/* apply left padding to current line (if applicable) */
if (i !== elist.length && lp) {
/* find first non-zero */
for (; i < elist.length; i++) {
if (elist[i].element.getBoundingClientRect().width !== 0) {
addLeftPadding(elist[i].element, elist[i].color, lp);
break;
}
}
}
lookingForHead = false;
foundBR = false;
line_head = i;
}
}
}
function addLeftPadding(e, c, lp) {
e.style.paddingLeft = lp + "px";
e.style.backgroundColor = c;
}
function addRightPadding(e, c, lp) {
e.style.paddingRight = lp + "px";
e.style.backgroundColor = c;
}
function removeRightPadding(e) {
e.style.paddingRight = null;
}
function HTMLStylingMapDefintion(qName, mapFunc) {
this.qname = qName;
this.map = mapFunc;
}
var STYLING_MAP_DEFS = [
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling backgroundColor",
function (context, dom_element, isd_element, attr) {
dom_element.style.backgroundColor = "rgba(" +
attr[0].toString() + "," +
attr[1].toString() + "," +
attr[2].toString() + "," +
(attr[3] / 255).toString() +
")";
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling color",
function (context, dom_element, isd_element, attr) {
dom_element.style.color = "rgba(" +
attr[0].toString() + "," +
attr[1].toString() + "," +
attr[2].toString() + "," +
(attr[3] / 255).toString() +
")";
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling direction",
function (context, dom_element, isd_element, attr) {
dom_element.style.direction = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling display",
function (context, dom_element, isd_element, attr) {}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling displayAlign",
function (context, dom_element, isd_element, attr) {
/* see https://css-tricks.com/snippets/css/a-guide-to-flexbox/ */
/* TODO: is this affected by writing direction? */
dom_element.style.display = "flex";
dom_element.style.flexDirection = "column";
if (attr === "before") {
dom_element.style.justifyContent = "flex-start";
} else if (attr === "center") {
dom_element.style.justifyContent = "center";
} else if (attr === "after") {
dom_element.style.justifyContent = "flex-end";
}
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling extent",
function (context, dom_element, isd_element, attr) {
/* TODO: this is super ugly */
context.regionH = (attr.h * context.h);
context.regionW = (attr.w * context.w);
/*
* CSS height/width are measured against the content rectangle,
* whereas TTML height/width include padding
*/
var hdelta = 0;
var wdelta = 0;
var p = isd_element.styleAttrs["http://www.w3.org/ns/ttml#styling padding"];
if (!p) {
/* error */
} else {
hdelta = (p[0] + p[2]) * context.h;
wdelta = (p[1] + p[3]) * context.w;
}
dom_element.style.height = (context.regionH - hdelta) + "px";
dom_element.style.width = (context.regionW - wdelta) + "px";
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling fontFamily",
function (context, dom_element, isd_element, attr) {
var rslt = [];
/* per IMSC1 */
for (var i in attr) {
if (attr[i] === "monospaceSerif") {
rslt.push("Courier New");
rslt.push('"Liberation Mono"');
rslt.push("Courier");
rslt.push("monospace");
} else if (attr[i] === "proportionalSansSerif") {
rslt.push("Arial");
rslt.push("Helvetica");
rslt.push('"Liberation Sans"');
rslt.push("sans-serif");
} else if (attr[i] === "monospace") {
rslt.push("monospace");
} else if (attr[i] === "sansSerif") {
rslt.push("sans-serif");
} else if (attr[i] === "serif") {
rslt.push("serif");
} else if (attr[i] === "monospaceSansSerif") {
rslt.push("Consolas");
rslt.push("monospace");
} else if (attr[i] === "proportionalSerif") {
rslt.push("serif");
} else {
rslt.push(attr[i]);
}
}
dom_element.style.fontFamily = rslt.join(",");
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling fontSize",
function (context, dom_element, isd_element, attr) {
dom_element.style.fontSize = (attr * context.h) + "px";
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling fontStyle",
function (context, dom_element, isd_element, attr) {
dom_element.style.fontStyle = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling fontWeight",
function (context, dom_element, isd_element, attr) {
dom_element.style.fontWeight = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling lineHeight",
function (context, dom_element, isd_element, attr) {
if (attr === "normal") {
dom_element.style.lineHeight = "normal";
} else {
dom_element.style.lineHeight = (attr * context.h) + "px";
}
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling opacity",
function (context, dom_element, isd_element, attr) {
dom_element.style.opacity = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling origin",
function (context, dom_element, isd_element, attr) {
dom_element.style.top = (attr.h * context.h) + "px";
dom_element.style.left = (attr.w * context.w) + "px";
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling overflow",
function (context, dom_element, isd_element, attr) {
dom_element.style.overflow = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling padding",
function (context, dom_element, isd_element, attr) {
/* attr: top,left,bottom,right*/
/* style: top right bottom left*/
var rslt = [];
rslt[0] = (attr[0] * context.h) + "px";
rslt[1] = (attr[3] * context.w) + "px";
rslt[2] = (attr[2] * context.h) + "px";
rslt[3] = (attr[1] * context.w) + "px";
dom_element.style.padding = rslt.join(" ");
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling showBackground",
null
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling textAlign",
function (context, dom_element, isd_element, attr) {
var ta;
var dir = isd_element.styleAttrs[imscStyles.byName.direction.qname];
/* handle UAs that do not understand start or end */
if (attr === "start") {
ta = (dir === "rtl") ? "right" : "left";
} else if (attr === "end") {
ta = (dir === "rtl") ? "left" : "right";
} else {
ta = attr;
}
dom_element.style.textAlign = ta;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling textDecoration",
function (context, dom_element, isd_element, attr) {
dom_element.style.textDecoration = attr.join(" ").replace("lineThrough", "line-through");
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling textOutline",
function (context, dom_element, isd_element, attr) {
if (attr === "none") {
dom_element.style.textShadow = "";
} else {
dom_element.style.textShadow = "rgba(" +
attr.color[0].toString() + "," +
attr.color[1].toString() + "," +
attr.color[2].toString() + "," +
(attr.color[3] / 255).toString() +
")" + " 0px 0px " +
(attr.thickness * context.h) + "px";
}
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling unicodeBidi",
function (context, dom_element, isd_element, attr) {
var ub;
if (attr === 'bidiOverride') {
ub = "bidi-override";
} else {
ub = attr;
}
dom_element.style.unicodeBidi = ub;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling visibility",
function (context, dom_element, isd_element, attr) {
dom_element.style.visibility = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling wrapOption",
function (context, dom_element, isd_element, attr) {
if (attr === "wrap") {
if (isd_element.space === "preserve") {
dom_element.style.whiteSpace = "pre-wrap";
} else {
dom_element.style.whiteSpace = "normal";
}
} else {
if (isd_element.space === "preserve") {
dom_element.style.whiteSpace = "pre";
} else {
dom_element.style.whiteSpace = "noWrap";
}
}
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling writingMode",
function (context, dom_element, isd_element, attr) {
if (attr === "lrtb" || attr === "lr") {
dom_element.style.writingMode = "horizontal-tb";
} else if (attr === "rltb" || attr === "rl") {
dom_element.style.writingMode = "horizontal-tb";
} else if (attr === "tblr") {
dom_element.style.writingMode = "vertical-lr";
} else if (attr === "tbrl" || attr === "tb") {
dom_element.style.writingMode = "vertical-rl";
}
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml#styling zIndex",
function (context, dom_element, isd_element, attr) {
dom_element.style.zIndex = attr;
}
),
new HTMLStylingMapDefintion(
"http://www.smpte-ra.org/schemas/2052-1/2010/smpte-tt backgroundImage",
function (context, dom_element, isd_element, attr) {
if (context.imgResolver !== null && attr !== null) {
var img = document.createElement("img");
var uri = context.imgResolver(attr, img);
if (uri) img.src = uri;
img.height = context.regionH;
img.width = context.regionW;
dom_element.appendChild(img);
}
}
),
new HTMLStylingMapDefintion(
"http://www.w3.org/ns/ttml/profile/imsc1#styling forcedDisplay",
function (context, dom_element, isd_element, attr) {
if (context.displayForcedOnlyMode && attr === false) {
dom_element.style.visibility = "hidden";
}
}
)
];
var STYLMAP_BY_QNAME = {};
for (var i in STYLING_MAP_DEFS) {
STYLMAP_BY_QNAME[STYLING_MAP_DEFS[i].qname] = STYLING_MAP_DEFS[i];
}
function reportError(errorHandler, msg) {
if (errorHandler && errorHandler.error && errorHandler.error(msg))
throw msg;
}
})(typeof exports === 'undefined' ? this.imscHTML = {} : exports,
typeof imscNames === 'undefined' ? _dereq_(41) : imscNames,
typeof imscStyles === 'undefined' ? _dereq_(42) : imscStyles);
},{"41":41,"42":42}],39:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module imscISD
*/
;
(function (imscISD, imscNames, imscStyles) { // wrapper for non-node envs
/**
* Creates a canonical representation of an IMSC1 document returned by <pre>imscDoc.fromXML()</pre>
* at a given absolute offset in seconds. This offset does not have to be one of the values returned
* by <pre>getMediaTimeEvents()</pre>.
*
* @param {Object} tt IMSC1 document
* @param {number} offset Absolute offset (in seconds)
* @param {?module:imscUtils.ErrorHandler} errorHandler Error callback
* @returns {Object} Opaque in-memory representation of an ISD
*/
imscISD.generateISD = function (tt, offset, errorHandler) {
/* TODO check for tt and offset validity */
/* create the ISD object from the IMSC1 doc */
var isd = new ISD(tt);
/* process regions */
for (var r in tt.head.layout.regions) {
/* post-order traversal of the body tree per [construct intermediate document] */
var c = isdProcessContentElement(tt, offset, tt.head.layout.regions[r], tt.body, null, '', tt.head.layout.regions[r], errorHandler);
if (c !== null) {
/* add the region to the ISD */
isd.contents.push(c.element);
}
}
return isd;
};
function isdProcessContentElement(doc, offset, region, body, parent, inherited_region_id, elem, errorHandler) {
/* prune if temporally inactive */
if (offset < elem.begin || offset >= elem.end) return null;
/*
* set the associated region as specified by the regionID attribute, or the
* inherited associated region otherwise
*/
var associated_region_id = 'regionID' in elem && elem.regionID !== '' ? elem.regionID : inherited_region_id;
/* prune the element if either:
* - the element is not terminal and the associated region is neither the default
* region nor the parent region (this allows children to be associated with a
* region later on)
* - the element is terminal and the associated region is not the parent region
*/
/* TODO: improve detection of terminal elements since <region> has no contents */
if (parent !== null /* are we in the region element */ &&
associated_region_id !== region.id &&
(
(! ('contents' in elem)) ||
('contents' in elem && elem.contents.length === 0) ||
associated_region_id !== ''
)
)
return null;
/* create an ISD element, including applying specified styles */
var isd_element = new ISDContentElement(elem);
/* apply set (animation) styling */
for (var i in elem.sets) {
if (offset < elem.sets[i].begin || offset >= elem.sets[i].end)
continue;
isd_element.styleAttrs[elem.sets[i].qname] = elem.sets[i].value;
}
/*
* keep track of specified styling attributes so that we
* can compute them later
*/
var spec_attr = {};
for (var qname in isd_element.styleAttrs) {
spec_attr[qname] = true;
/* special rule for tts:writingMode (section 7.29.1 of XSL)
* direction is set consistently with writingMode only
* if writingMode sets inline-direction to LTR or RTL
*/
if (qname === imscStyles.byName.writingMode.qname &&
!(imscStyles.byName.direction.qname in isd_element.styleAttrs)) {
var wm = isd_element.styleAttrs[qname];
if (wm === "lrtb" || wm === "lr") {
isd_element.styleAttrs[imscStyles.byName.direction.qname] = "ltr";
} else if (wm === "rltb" || wm === "rl") {
isd_element.styleAttrs[imscStyles.byName.direction.qname] = "rtl";
}
}
}
/* inherited styling */
if (parent !== null) {
for (var j in imscStyles.all) {
var sa = imscStyles.all[j];
/* textDecoration has special inheritance rules */
if (sa.qname === imscStyles.byName.textDecoration.qname) {
/* handle both textDecoration inheritance and specification */
var ps = parent.styleAttrs[sa.qname];
var es = isd_element.styleAttrs[sa.qname];
var outs = [];
if (es === undefined) {
outs = ps;
} else if (es.indexOf("none") === -1) {
if ((es.indexOf("noUnderline") === -1 &&
ps.indexOf("underline") !== -1) ||
es.indexOf("underline") !== -1) {
outs.push("underline");
}
if ((es.indexOf("noLineThrough") === -1 &&
ps.indexOf("lineThrough") !== -1) ||
es.indexOf("lineThrough") !== -1) {
outs.push("lineThrough");
}
if ((es.indexOf("noOverline") === -1 &&
ps.indexOf("overline") !== -1) ||
es.indexOf("overline") !== -1) {
outs.push("overline");
}
} else {
outs.push("none");
}
isd_element.styleAttrs[sa.qname] = outs;
} else if (sa.inherit &&
(sa.qname in parent.styleAttrs) &&
!(sa.qname in isd_element.styleAttrs)) {
isd_element.styleAttrs[sa.qname] = parent.styleAttrs[sa.qname];
}
}
}
/* initial value styling */
for (var k in imscStyles.all) {
var ivs = imscStyles.all[k];
/* skip if value is already specified */
if (ivs.qname in isd_element.styleAttrs) continue;
/* apply initial value to elements other than region only if non-inherited */
if (isd_element.kind === 'region' || (ivs.inherit === false && ivs.initial !== null)) {
isd_element.styleAttrs[ivs.qname] = ivs.parse(ivs.initial);
/* keep track of the style as specified */
spec_attr[ivs.qname] = true;
}
}
/* compute styles (only for non-inherited styles) */
/* TODO: get rid of spec_attr */
for (var z in imscStyles.all) {
var cs = imscStyles.all[z];
if (!(cs.qname in spec_attr)) continue;
if (cs.compute !== null) {
var cstyle = cs.compute(
/*doc, parent, element, attr*/
doc,
parent,
isd_element,
isd_element.styleAttrs[cs.qname]
);
if (cstyle !== null) {
isd_element.styleAttrs[cs.qname] = cstyle;
} else {
reportError(errorHandler, "Style '" + cs.qname + "' on element '" + isd_element.kind + "' cannot be computed");
}
}
}
/* prune if tts:display is none */
if (isd_element.styleAttrs[imscStyles.byName.display.qname] === "none")
return null;
/* process contents of the element */
var contents;
if (parent === null) {
/* we are processing the region */
if (body === null) {
/* if there is no body, still process the region but with empty content */
contents = [];
} else {
/*use the body element as contents */
contents = [body];
}
} else if ('contents' in elem) {
contents = elem.contents;
}
for (var x in contents) {
var c = isdProcessContentElement(doc, offset, region, body, isd_element, associated_region_id, contents[x]);
/*
* keep child element only if they are non-null and their region match
* the region of this element
*/
if (c !== null) {
isd_element.contents.push(c.element);
}
}
/* compute used value of lineHeight="normal" */
/* if (isd_element.styleAttrs[imscStyles.byName.lineHeight.qname] === "normal" ) {
isd_element.styleAttrs[imscStyles.byName.lineHeight.qname] =
isd_element.styleAttrs[imscStyles.byName.fontSize.qname] * 1.2;
}
*/
/* remove styles that are not applicable */
for (var qnameb in isd_element.styleAttrs) {
var da = imscStyles.byQName[qnameb];
if (da.applies.indexOf(isd_element.kind) === -1) {
delete isd_element.styleAttrs[qnameb];
}
}
/* collapse white space if space is "default" */
if (isd_element.kind === 'span' && isd_element.text && isd_element.space === "default") {
var trimmedspan = isd_element.text.replace(/\s+/g, ' ');
isd_element.text = trimmedspan;
}
/* trim whitespace around explicit line breaks */
if (isd_element.kind === 'p') {
var elist = [];
constructSpanList(isd_element, elist);
var l = 0;
var state = "after_br";
var br_pos = 0;
while (true) {
if (state === "after_br") {
if (l >= elist.length || elist[l].kind === "br") {
state = "before_br";
br_pos = l;
l--;
} else {
if (elist[l].space !== "preserve") {
elist[l].text = elist[l].text.replace(/^\s+/g, '');
}
if (elist[l].text.length > 0) {
state = "looking_br";
l++;
} else {
elist.splice(l, 1);
}
}
} else if (state === "before_br") {
if (l < 0 || elist[l].kind === "br") {
state = "after_br";
l = br_pos + 1;
if (l >= elist.length) break;
} else {
if (elist[l].space !== "preserve") {
elist[l].text = elist[l].text.replace(/\s+$/g, '');
}
if (elist[l].text.length > 0) {
state = "after_br";
l = br_pos + 1;
if (l >= elist.length) break;
} else {
elist.splice(l, 1);
l--;
}
}
} else {
if (l >= elist.length || elist[l].kind === "br") {
state = "before_br";
br_pos = l;
l--;
} else {
l++;
}
}
}
pruneEmptySpans(isd_element);
}
/* keep element if:
* * contains a background image
* * <br/>
* * if there are children
* * if <span> and has text
* * if region and showBackground = always
*/
if ((isd_element.kind === 'div' && imscStyles.byName.backgroundImage.qname in isd_element.styleAttrs) ||
isd_element.kind === 'br' ||
('contents' in isd_element && isd_element.contents.length > 0) ||
(isd_element.kind === 'span' && isd_element.text !== null) ||
(isd_element.kind === 'region' &&
isd_element.styleAttrs[imscStyles.byName.showBackground.qname] === 'always')) {
return {
region_id: associated_region_id,
element: isd_element
};
}
return null;
}
function constructSpanList(element, elist) {
if ('contents' in element) {
for (var i in element.contents) {
constructSpanList(element.contents[i], elist);
}
} else {
elist.push(element);
}
}
function pruneEmptySpans(element) {
if (element.kind === 'br') {
return false;
} else if ('text' in element) {
return element.text.length === 0;
} else if ('contents' in element) {
var i = element.contents.length;
while (i--) {
if (pruneEmptySpans(element.contents[i])) {
element.contents.splice(i, 1);
}
}
return element.contents.length === 0;
}
}
function ISD(tt) {
this.contents = [];
this.aspectRatio = tt.aspectRatio;
}
function ISDContentElement(ttelem) {
/* assume the element is a region if it does not have a kind */
this.kind = ttelem.kind || 'region';
/* copy id */
if (ttelem.id) {
this.id = ttelem.id;
}
/* deep copy of style attributes */
this.styleAttrs = {};
for (var sname in ttelem.styleAttrs) {
this.styleAttrs[sname] =
ttelem.styleAttrs[sname];
}
/* TODO: clean this! */
if ('text' in ttelem) {
this.text = ttelem.text;
} else if (ttelem.kind !== 'br') {
this.contents = [];
}
if ('space' in ttelem) {
this.space = ttelem.space;
}
}
/*
* ERROR HANDLING UTILITY FUNCTIONS
*
*/
function reportInfo(errorHandler, msg) {
if (errorHandler && errorHandler.info && errorHandler.info(msg))
throw msg;
}
function reportWarning(errorHandler, msg) {
if (errorHandler && errorHandler.warn && errorHandler.warn(msg))
throw msg;
}
function reportError(errorHandler, msg) {
if (errorHandler && errorHandler.error && errorHandler.error(msg))
throw msg;
}
function reportFatal(errorHandler, msg) {
if (errorHandler && errorHandler.fatal)
errorHandler.fatal(msg);
throw msg;
}
})(typeof exports === 'undefined' ? this.imscISD = {} : exports,
typeof imscNames === 'undefined' ? _dereq_(41) : imscNames,
typeof imscStyles === 'undefined' ? _dereq_(42) : imscStyles
);
},{"41":41,"42":42}],40:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
exports.generateISD = _dereq_(39).generateISD;
exports.fromXML = _dereq_(37).fromXML;
exports.renderHTML = _dereq_(38).render;
},{"37":37,"38":38,"39":39}],41:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module imscNames
*/
;
(function (imscNames) { // wrapper for non-node envs
imscNames.ns_tt = "http://www.w3.org/ns/ttml";
imscNames.ns_tts = "http://www.w3.org/ns/ttml#styling";
imscNames.ns_ttp = "http://www.w3.org/ns/ttml#parameter";
imscNames.ns_xml = "http://www.w3.org/XML/1998/namespace";
imscNames.ns_itts = "http://www.w3.org/ns/ttml/profile/imsc1#styling";
imscNames.ns_ittp = "http://www.w3.org/ns/ttml/profile/imsc1#parameter";
imscNames.ns_smpte = "http://www.smpte-ra.org/schemas/2052-1/2010/smpte-tt";
imscNames.ns_ebutts = "urn:ebu:tt:style";
})(typeof exports === 'undefined' ? this.imscNames = {} : exports);
},{}],42:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module imscStyles
*/
;
(function (imscStyles, imscNames, imscUtils) { // wrapper for non-node envs
function StylingAttributeDefinition(ns, name, initialValue, appliesTo, isInherit, isAnimatable, parseFunc, computeFunc) {
this.name = name;
this.ns = ns;
this.qname = ns + " " + name;
this.inherit = isInherit;
this.animatable = isAnimatable;
this.initial = initialValue;
this.applies = appliesTo;
this.parse = parseFunc;
this.compute = computeFunc;
}
imscStyles.all = [
new StylingAttributeDefinition(
imscNames.ns_tts,
"backgroundColor",
"transparent",
['body', 'div', 'p', 'region', 'span'],
false,
true,
imscUtils.parseColor,
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"color",
"white",
['span'],
true,
true,
imscUtils.parseColor,
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"direction",
"ltr",
['p', 'span'],
true,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"display",
"auto",
['body', 'div', 'p', 'region', 'span'],
false,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"displayAlign",
"before",
['region'],
false,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"extent",
"auto",
['tt', 'region'],
false,
true,
function (str) {
if (str === "auto") {
return str;
} else {
var s = str.split(" ");
if (s.length !== 2) return null;
var w = imscUtils.parseLength(s[0]);
var h = imscUtils.parseLength(s[1]);
if (!h || !w) return null;
return {'h': h, 'w': w};
}
},
function (doc, parent, element, attr) {
var h;
var w;
if (attr === "auto") {
h = 1;
} else if (attr.h.unit === "%") {
h = attr.h.value / 100;
} else if (attr.h.unit === "px") {
h = attr.h.value / doc.pxDimensions.h;
} else {
return null;
}
if (attr === "auto") {
w = 1;
} else if (attr.w.unit === "%") {
w = attr.w.value / 100;
} else if (attr.w.unit === "px") {
w = attr.w.value / doc.pxDimensions.w;
} else {
return null;
}
return {'h': h, 'w': w};
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"fontFamily",
"default",
['span'],
true,
true,
function (str) {
var ffs = str.split(",");
var rslt = [];
for (var i in ffs) {
if (ffs[i].charAt(0) !== "'" && ffs[i].charAt(0) !== '"') {
if (ffs[i] === "default") {
/* per IMSC1 */
rslt.push("monospaceSerif");
} else {
rslt.push(ffs[i]);
}
} else {
rslt.push(ffs[i]);
}
}
return rslt;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"fontSize",
"1c",
['span'],
true,
true,
imscUtils.parseLength,
function (doc, parent, element, attr) {
var fs;
if (attr.unit === "%") {
if (parent !== null) {
fs = parent.styleAttrs[imscStyles.byName.fontSize.qname] * attr.value / 100;
} else {
/* region, so percent of 1c */
fs = attr.value / 100 / doc.cellResolution.h;
}
} else if (attr.unit === "em") {
if (parent !== null) {
fs = parent.styleAttrs[imscStyles.byName.fontSize.qname] * attr.value;
} else {
/* region, so percent of 1c */
fs = attr.value / doc.cellResolution.h;
}
} else if (attr.unit === "c") {
fs = attr.value / doc.cellResolution.h;
} else if (attr.unit === "px") {
fs = attr.value / doc.pxDimensions.h;
} else {
return null;
}
return fs;
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"fontStyle",
"normal",
['span'],
true,
true,
function (str) {
/* TODO: handle font style */
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"fontWeight",
"normal",
['span'],
true,
true,
function (str) {
/* TODO: handle font weight */
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"lineHeight",
"normal",
['p'],
true,
true,
function (str) {
if (str === "normal") {
return str;
} else {
return imscUtils.parseLength(str);
}
},
function (doc, parent, element, attr) {
var lh;
if (attr === "normal") {
/* inherit normal per https://github.com/w3c/ttml1/issues/220 */
lh = attr;
} else if (attr.unit === "%") {
lh = element.styleAttrs[imscStyles.byName.fontSize.qname] * attr.value / 100;
} else if (attr.unit === "em") {
lh = element.styleAttrs[imscStyles.byName.fontSize.qname] * attr.value;
} else if (attr.unit === "c") {
lh = attr.value / doc.cellResolution.h;
} else if (attr.unit === "px") {
/* TODO: handle error if no px dimensions are provided */
lh = attr.value / doc.pxDimensions.h;
} else {
return null;
}
/* TODO: create a Length constructor */
return lh;
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"opacity",
1.0,
['region'],
false,
true,
parseFloat,
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"origin",
"auto",
['region'],
false,
true,
function (str) {
if (str === "auto") {
return str;
} else {
var s = str.split(" ");
if (s.length !== 2) return null;
var w = imscUtils.parseLength(s[0]);
var h = imscUtils.parseLength(s[1]);
if (!h || !w) return null;
return {'h': h, 'w': w};
}
},
function (doc, parent, element, attr) {
var h;
var w;
if (attr === "auto") {
h = 0;
} else if (attr.h.unit === "%") {
h = attr.h.value / 100;
} else if (attr.h.unit === "px") {
h = attr.h.value / doc.pxDimensions.h;
} else {
return null;
}
if (attr === "auto") {
w = 0;
} else if (attr.w.unit === "%") {
w = attr.w.value / 100;
} else if (attr.w.unit === "px") {
w = attr.w.value / doc.pxDimensions.w;
} else {
return null;
}
return {'h': h, 'w': w};
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"overflow",
"hidden",
['region'],
false,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"padding",
"0px",
['region'],
false,
true,
function (str) {
var s = str.split(" ");
if (s.length > 4) return null;
var r = [];
for (var i in s) {
var l = imscUtils.parseLength(s[i]);
if (!l) return null;
r.push(l);
}
return r;
},
function (doc, parent, element, attr) {
var padding;
/* TODO: make sure we are in region */
/*
* expand padding shortcuts to
* [before, end, after, start]
*
*/
if (attr.length === 1) {
padding = [attr[0], attr[0], attr[0], attr[0]];
} else if (attr.length === 2) {
padding = [attr[0], attr[1], attr[0], attr[1]];
} else if (attr.length === 3) {
padding = [attr[0], attr[1], attr[2], attr[1]];
} else if (attr.length === 4) {
padding = [attr[0], attr[1], attr[2], attr[3]];
} else {
return null;
}
/* TODO: take into account tts:direction */
/*
* transform [before, end, after, start] according to writingMode to
* [top,left,bottom,right]
*
*/
var dir = element.styleAttrs[imscStyles.byName.writingMode.qname];
if (dir === "lrtb" || dir === "lr") {
padding = [padding[0], padding[3], padding[2], padding[1]];
} else if (dir === "rltb" || dir === "rl") {
padding = [padding[0], padding[1], padding[2], padding[3]];
} else if (dir === "tblr") {
padding = [padding[3], padding[0], padding[1], padding[2]];
} else if (dir === "tbrl" || dir === "tb") {
padding = [padding[3], padding[2], padding[1], padding[0]];
} else {
return null;
}
var out = [];
for (var i in padding) {
if (padding[i].value === 0) {
out[i] = 0;
} else if (padding[i].unit === "%") {
if (i === "0" || i === "2") {
out[i] = element.styleAttrs[imscStyles.byName.extent.qname].h * padding[i].value / 100;
} else {
out[i] = element.styleAttrs[imscStyles.byName.extent.qname].w * padding[i].value / 100;
}
} else if (padding[i].unit === "em") {
out[i] = element.styleAttrs[imscStyles.byName.fontSize.qname] * padding[i].value;
} else if (padding[i].unit === "c") {
out[i] = padding[i].value / doc.cellResolution.h;
} else if (padding[i].unit === "px") {
out[i] = padding[i].value / doc.pxDimensions.h;
} else {
return null;
}
}
return out;
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"showBackground",
"always",
['region'],
false,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"textAlign",
"start",
['p'],
true,
true,
function (str) {
return str;
},
function (doc, parent, element, attr) {
/* Section 7.16.9 of XSL */
if (attr === "left") {
return "start";
} else if (attr === "right") {
return "end";
} else {
return attr;
}
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"textDecoration",
"none",
['span'],
true,
true,
function (str) {
return str.split(" ");
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"textOutline",
"none",
['span'],
true,
true,
function (str) {
/*
* returns {c: <color>?, thichness: <length>} | "none"
*
*/
if (str === "none") {
return str;
} else {
var r = {};
var s = str.split(" ");
if (s.length === 0 || s.length > 2) return null;
var c = imscUtils.parseColor(s[0]);
r.color = c;
if (c !== null) s.shift();
if (s.length !== 1) return null;
var l = imscUtils.parseLength(s[0]);
if (!l) return null;
r.thickness = l;
return r;
}
},
function (doc, parent, element, attr) {
/*
* returns {color: <color>, thickness: <norm length>}
*
*/
if (attr === "none") return attr;
var rslt = {};
if (attr.color === null) {
rslt.color = element.styleAttrs[imscStyles.byName.color.qname];
} else {
rslt.color = attr.color;
}
if (attr.thickness.unit === "%") {
rslt.thickness = element.styleAttrs[imscStyles.byName.fontSize.qname] * attr.thickness.value / 100;
} else if (attr.thickness.unit === "em") {
rslt.thickness = element.styleAttrs[imscStyles.byName.fontSize.qname] * attr.thickness.value;
} else if (attr.thickness.unit === "c") {
rslt.thickness = attr.thickness.value / doc.cellResolution.h;
} else if (attr.thickness.unit === "px") {
rslt.thickness = attr.thickness.value / doc.pxDimensions.h;
} else {
return null;
}
return rslt;
}
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"unicodeBidi",
"normal",
['span', 'p'],
false,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"visibility",
"visible",
['body', 'div', 'p', 'region', 'span'],
true,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"wrapOption",
"wrap",
['span'],
true,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"writingMode",
"lrtb",
['region'],
false,
true,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_tts,
"zIndex",
"auto",
['region'],
false,
true,
function (str) {
var rslt;
if (str === 'auto') {
rslt = str;
} else {
rslt = parseInt(str);
if (isNaN(rslt)) {
rslt = null;
}
}
return rslt;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_ebutts,
"linePadding",
"0c",
['p'],
true,
false,
imscUtils.parseLength,
function (doc, parent, element, attr) {
if (attr.unit === "c") {
return attr.value / doc.cellResolution.h;
} else {
return null;
}
}
),
new StylingAttributeDefinition(
imscNames.ns_ebutts,
"multiRowAlign",
"auto",
['p'],
true,
false,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_smpte,
"backgroundImage",
null,
['div'],
false,
false,
function (str) {
return str;
},
null
),
new StylingAttributeDefinition(
imscNames.ns_itts,
"forcedDisplay",
"false",
['body', 'div', 'p', 'region', 'span'],
true,
true,
function (str) {
return str === 'true' ? true : false;
},
null
)
];
/* TODO: allow null parse function */
imscStyles.byQName = {};
for (var i in imscStyles.all) {
imscStyles.byQName[imscStyles.all[i].qname] = imscStyles.all[i];
}
imscStyles.byName = {};
for (var j in imscStyles.all) {
imscStyles.byName[imscStyles.all[j].name] = imscStyles.all[j];
}
})(typeof exports === 'undefined' ? this.imscStyles = {} : exports,
typeof imscNames === 'undefined' ? _dereq_(41) : imscNames,
typeof imscUtils === 'undefined' ? _dereq_(43) : imscUtils);
},{"41":41,"43":43}],43:[function(_dereq_,module,exports){
/*
* Copyright (c) 2016, Pierre-Anthony Lemieux <pal@sandflow.com>
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module imscUtils
*/
;
(function (imscUtils) { // wrapper for non-node envs
/* Documents the error handler interface */
/**
* @classdesc Generic interface for handling events. The interface exposes four
* methods:
* * <pre>info</pre>: unusual event that does not result in an inconsistent state
* * <pre>warn</pre>: unexpected event that should not result in an inconsistent state
* * <pre>error</pre>: unexpected event that may result in an inconsistent state
* * <pre>fatal</pre>: unexpected event that results in an inconsistent state
* and termination of processing
* Each method takes a single <pre>string</pre> describing the event as argument,
* and returns a single <pre>boolean</pre>, which terminates processing if <pre>true</pre>.
*
* @name ErrorHandler
* @class
*/
/*
* Parses a TTML color expression
*
*/
var HEX_COLOR_RE = /#([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})?/;
var DEC_COLOR_RE = /rgb\((\d+),(\d+),(\d+)\)/;
var DEC_COLORA_RE = /rgba\((\d+),(\d+),(\d+),(\d+)\)/;
var NAMED_COLOR = {
transparent: [0, 0, 0, 0],
black: [0, 0, 0, 255],
silver: [192, 192, 192, 255],
gray: [128, 128, 128, 255],
white: [255, 255, 255, 255],
maroon: [128, 0, 0, 255],
red: [255, 0, 0, 255],
purple: [128, 0, 128, 255],
fuchsia: [255, 0, 255, 255],
magenta: [255, 0, 255, 255],
green: [0, 128, 0, 255],
lime: [0, 255, 0, 255],
olive: [128, 128, 0, 255],
yellow: [255, 255, 0, 255],
navy: [0, 0, 128, 255],
blue: [0, 0, 255, 255],
teal: [0, 128, 128, 255],
aqua: [0, 255, 255, 255],
cyan: [0, 255, 255, 255]
};
imscUtils.parseColor = function (str) {
var m;
var r = null;
if (str in NAMED_COLOR) {
r = NAMED_COLOR[str];
} else if ((m = HEX_COLOR_RE.exec(str)) !== null) {
r = [parseInt(m[1], 16),
parseInt(m[2], 16),
parseInt(m[3], 16),
(m[4] !== undefined ? parseInt(m[4], 16) : 255)];
} else if ((m = DEC_COLOR_RE.exec(str)) !== null) {
r = [parseInt(m[1]),
parseInt(m[2]),
parseInt(m[3]),
255];
} else if ((m = DEC_COLORA_RE.exec(str)) !== null) {
r = [parseInt(m[1]),
parseInt(m[2]),
parseInt(m[3]),
parseInt(m[4])];
}
return r;
};
var LENGTH_RE = /^((?:\+|\-)?\d*(?:\.\d+)?)(px|em|c|%)$/;
imscUtils.parseLength = function (str) {
var m;
var r = null;
if ((m = LENGTH_RE.exec(str)) !== null) {
r = {value: parseFloat(m[1]), unit: m[2]};
}
return r;
};
})(typeof exports === 'undefined' ? this.imscUtils = {} : exports);
},{}],44:[function(_dereq_,module,exports){
(function (Buffer){
;(function (sax) { // wrapper for non-node envs
sax.parser = function (strict, opt) { return new SAXParser(strict, opt) }
sax.SAXParser = SAXParser
sax.SAXStream = SAXStream
sax.createStream = createStream
// When we pass the MAX_BUFFER_LENGTH position, start checking for buffer overruns.
// When we check, schedule the next check for MAX_BUFFER_LENGTH - (max(buffer lengths)),
// since that's the earliest that a buffer overrun could occur. This way, checks are
// as rare as required, but as often as necessary to ensure never crossing this bound.
// Furthermore, buffers are only tested at most once per write(), so passing a very
// large string into write() might have undesirable effects, but this is manageable by
// the caller, so it is assumed to be safe. Thus, a call to write() may, in the extreme
// edge case, result in creating at most one complete copy of the string passed in.
// Set to Infinity to have unlimited buffers.
sax.MAX_BUFFER_LENGTH = 64 * 1024
var buffers = [
'comment', 'sgmlDecl', 'textNode', 'tagName', 'doctype',
'procInstName', 'procInstBody', 'entity', 'attribName',
'attribValue', 'cdata', 'script'
]
sax.EVENTS = [
'text',
'processinginstruction',
'sgmldeclaration',
'doctype',
'comment',
'opentagstart',
'attribute',
'opentag',
'closetag',
'opencdata',
'cdata',
'closecdata',
'error',
'end',
'ready',
'script',
'opennamespace',
'closenamespace'
]
function SAXParser (strict, opt) {
if (!(this instanceof SAXParser)) {
return new SAXParser(strict, opt)
}
var parser = this
clearBuffers(parser)
parser.q = parser.c = ''
parser.bufferCheckPosition = sax.MAX_BUFFER_LENGTH
parser.opt = opt || {}
parser.opt.lowercase = parser.opt.lowercase || parser.opt.lowercasetags
parser.looseCase = parser.opt.lowercase ? 'toLowerCase' : 'toUpperCase'
parser.tags = []
parser.closed = parser.closedRoot = parser.sawRoot = false
parser.tag = parser.error = null
parser.strict = !!strict
parser.noscript = !!(strict || parser.opt.noscript)
parser.state = S.BEGIN
parser.strictEntities = parser.opt.strictEntities
parser.ENTITIES = parser.strictEntities ? Object.create(sax.XML_ENTITIES) : Object.create(sax.ENTITIES)
parser.attribList = []
// namespaces form a prototype chain.
// it always points at the current tag,
// which protos to its parent tag.
if (parser.opt.xmlns) {
parser.ns = Object.create(rootNS)
}
// mostly just for error reporting
parser.trackPosition = parser.opt.position !== false
if (parser.trackPosition) {
parser.position = parser.line = parser.column = 0
}
emit(parser, 'onready')
}
if (!Object.create) {
Object.create = function (o) {
function F () {}
F.prototype = o
var newf = new F()
return newf
}
}
if (!Object.keys) {
Object.keys = function (o) {
var a = []
for (var i in o) if (o.hasOwnProperty(i)) a.push(i)
return a
}
}
function checkBufferLength (parser) {
var maxAllowed = Math.max(sax.MAX_BUFFER_LENGTH, 10)
var maxActual = 0
for (var i = 0, l = buffers.length; i < l; i++) {
var len = parser[buffers[i]].length
if (len > maxAllowed) {
// Text/cdata nodes can get big, and since they're buffered,
// we can get here under normal conditions.
// Avoid issues by emitting the text node now,
// so at least it won't get any bigger.
switch (buffers[i]) {
case 'textNode':
closeText(parser)
break
case 'cdata':
emitNode(parser, 'oncdata', parser.cdata)
parser.cdata = ''
break
case 'script':
emitNode(parser, 'onscript', parser.script)
parser.script = ''
break
default:
error(parser, 'Max buffer length exceeded: ' + buffers[i])
}
}
maxActual = Math.max(maxActual, len)
}
// schedule the next check for the earliest possible buffer overrun.
var m = sax.MAX_BUFFER_LENGTH - maxActual
parser.bufferCheckPosition = m + parser.position
}
function clearBuffers (parser) {
for (var i = 0, l = buffers.length; i < l; i++) {
parser[buffers[i]] = ''
}
}
function flushBuffers (parser) {
closeText(parser)
if (parser.cdata !== '') {
emitNode(parser, 'oncdata', parser.cdata)
parser.cdata = ''
}
if (parser.script !== '') {
emitNode(parser, 'onscript', parser.script)
parser.script = ''
}
}
SAXParser.prototype = {
end: function () { end(this) },
write: write,
resume: function () { this.error = null; return this },
close: function () { return this.write(null) },
flush: function () { flushBuffers(this) }
}
var Stream
try {
Stream = _dereq_(34).Stream
} catch (ex) {
Stream = function () {}
}
var streamWraps = sax.EVENTS.filter(function (ev) {
return ev !== 'error' && ev !== 'end'
})
function createStream (strict, opt) {
return new SAXStream(strict, opt)
}
function SAXStream (strict, opt) {
if (!(this instanceof SAXStream)) {
return new SAXStream(strict, opt)
}
Stream.apply(this)
this._parser = new SAXParser(strict, opt)
this.writable = true
this.readable = true
var me = this
this._parser.onend = function () {
me.emit('end')
}
this._parser.onerror = function (er) {
me.emit('error', er)
// if didn't throw, then means error was handled.
// go ahead and clear error, so we can write again.
me._parser.error = null
}
this._decoder = null
streamWraps.forEach(function (ev) {
Object.defineProperty(me, 'on' + ev, {
get: function () {
return me._parser['on' + ev]
},
set: function (h) {
if (!h) {
me.removeAllListeners(ev)
me._parser['on' + ev] = h
return h
}
me.on(ev, h)
},
enumerable: true,
configurable: false
})
})
}
SAXStream.prototype = Object.create(Stream.prototype, {
constructor: {
value: SAXStream
}
})
SAXStream.prototype.write = function (data) {
if (typeof Buffer === 'function' &&
typeof Buffer.isBuffer === 'function' &&
Buffer.isBuffer(data)) {
if (!this._decoder) {
var SD = _dereq_(35).StringDecoder
this._decoder = new SD('utf8')
}
data = this._decoder.write(data)
}
this._parser.write(data.toString())
this.emit('data', data)
return true
}
SAXStream.prototype.end = function (chunk) {
if (chunk && chunk.length) {
this.write(chunk)
}
this._parser.end()
return true
}
SAXStream.prototype.on = function (ev, handler) {
var me = this
if (!me._parser['on' + ev] && streamWraps.indexOf(ev) !== -1) {
me._parser['on' + ev] = function () {
var args = arguments.length === 1 ? [arguments[0]] : Array.apply(null, arguments)
args.splice(0, 0, ev)
me.emit.apply(me, args)
}
}
return Stream.prototype.on.call(me, ev, handler)
}
// character classes and tokens
var whitespace = '\r\n\t '
// this really needs to be replaced with character classes.
// XML allows all manner of ridiculous numbers and digits.
var number = '0124356789'
var letter = 'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
// (Letter | "_" | ":")
var quote = '\'"'
var attribEnd = whitespace + '>'
var CDATA = '[CDATA['
var DOCTYPE = 'DOCTYPE'
var XML_NAMESPACE = 'http://www.w3.org/XML/1998/namespace'
var XMLNS_NAMESPACE = 'http://www.w3.org/2000/xmlns/'
var rootNS = { xml: XML_NAMESPACE, xmlns: XMLNS_NAMESPACE }
// turn all the string character sets into character class objects.
whitespace = charClass(whitespace)
number = charClass(number)
letter = charClass(letter)
// http://www.w3.org/TR/REC-xml/#NT-NameStartChar
// This implementation works on strings, a single character at a time
// as such, it cannot ever support astral-plane characters (10000-EFFFF)
// without a significant breaking change to either this parser, or the
// JavaScript language. Implementation of an emoji-capable xml parser
// is left as an exercise for the reader.
var nameStart = /[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/
var nameBody = /[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040\.\d-]/
var entityStart = /[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/
var entityBody = /[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040\.\d-]/
quote = charClass(quote)
attribEnd = charClass(attribEnd)
function charClass (str) {
return str.split('').reduce(function (s, c) {
s[c] = true
return s
}, {})
}
function isRegExp (c) {
return Object.prototype.toString.call(c) === '[object RegExp]'
}
function is (charclass, c) {
return isRegExp(charclass) ? !!c.match(charclass) : charclass[c]
}
function not (charclass, c) {
return !is(charclass, c)
}
var S = 0
sax.STATE = {
BEGIN: S++, // leading byte order mark or whitespace
BEGIN_WHITESPACE: S++, // leading whitespace
TEXT: S++, // general stuff
TEXT_ENTITY: S++, // &amp and such.
OPEN_WAKA: S++, // <
SGML_DECL: S++, // <!BLARG
SGML_DECL_QUOTED: S++, // <!BLARG foo "bar
DOCTYPE: S++, // <!DOCTYPE
DOCTYPE_QUOTED: S++, // <!DOCTYPE "//blah
DOCTYPE_DTD: S++, // <!DOCTYPE "//blah" [ ...
DOCTYPE_DTD_QUOTED: S++, // <!DOCTYPE "//blah" [ "foo
COMMENT_STARTING: S++, // <!-
COMMENT: S++, // <!--
COMMENT_ENDING: S++, // <!-- blah -
COMMENT_ENDED: S++, // <!-- blah --
CDATA: S++, // <![CDATA[ something
CDATA_ENDING: S++, // ]
CDATA_ENDING_2: S++, // ]]
PROC_INST: S++, // <?hi
PROC_INST_BODY: S++, // <?hi there
PROC_INST_ENDING: S++, // <?hi "there" ?
OPEN_TAG: S++, // <strong
OPEN_TAG_SLASH: S++, // <strong /
ATTRIB: S++, // <a
ATTRIB_NAME: S++, // <a foo
ATTRIB_NAME_SAW_WHITE: S++, // <a foo _
ATTRIB_VALUE: S++, // <a foo=
ATTRIB_VALUE_QUOTED: S++, // <a foo="bar
ATTRIB_VALUE_CLOSED: S++, // <a foo="bar"
ATTRIB_VALUE_UNQUOTED: S++, // <a foo=bar
ATTRIB_VALUE_ENTITY_Q: S++, // <foo bar="&quot;"
ATTRIB_VALUE_ENTITY_U: S++, // <foo bar=&quot
CLOSE_TAG: S++, // </a
CLOSE_TAG_SAW_WHITE: S++, // </a >
SCRIPT: S++, // <script> ...
SCRIPT_ENDING: S++ // <script> ... <
}
sax.XML_ENTITIES = {
'amp': '&',
'gt': '>',
'lt': '<',
'quot': '"',
'apos': "'"
}
sax.ENTITIES = {
'amp': '&',
'gt': '>',
'lt': '<',
'quot': '"',
'apos': "'",
'AElig': 198,
'Aacute': 193,
'Acirc': 194,
'Agrave': 192,
'Aring': 197,
'Atilde': 195,
'Auml': 196,
'Ccedil': 199,
'ETH': 208,
'Eacute': 201,
'Ecirc': 202,
'Egrave': 200,
'Euml': 203,
'Iacute': 205,
'Icirc': 206,
'Igrave': 204,
'Iuml': 207,
'Ntilde': 209,
'Oacute': 211,
'Ocirc': 212,
'Ograve': 210,
'Oslash': 216,
'Otilde': 213,
'Ouml': 214,
'THORN': 222,
'Uacute': 218,
'Ucirc': 219,
'Ugrave': 217,
'Uuml': 220,
'Yacute': 221,
'aacute': 225,
'acirc': 226,
'aelig': 230,
'agrave': 224,
'aring': 229,
'atilde': 227,
'auml': 228,
'ccedil': 231,
'eacute': 233,
'ecirc': 234,
'egrave': 232,
'eth': 240,
'euml': 235,
'iacute': 237,
'icirc': 238,
'igrave': 236,
'iuml': 239,
'ntilde': 241,
'oacute': 243,
'ocirc': 244,
'ograve': 242,
'oslash': 248,
'otilde': 245,
'ouml': 246,
'szlig': 223,
'thorn': 254,
'uacute': 250,
'ucirc': 251,
'ugrave': 249,
'uuml': 252,
'yacute': 253,
'yuml': 255,
'copy': 169,
'reg': 174,
'nbsp': 160,
'iexcl': 161,
'cent': 162,
'pound': 163,
'curren': 164,
'yen': 165,
'brvbar': 166,
'sect': 167,
'uml': 168,
'ordf': 170,
'laquo': 171,
'not': 172,
'shy': 173,
'macr': 175,
'deg': 176,
'plusmn': 177,
'sup1': 185,
'sup2': 178,
'sup3': 179,
'acute': 180,
'micro': 181,
'para': 182,
'middot': 183,
'cedil': 184,
'ordm': 186,
'raquo': 187,
'frac14': 188,
'frac12': 189,
'frac34': 190,
'iquest': 191,
'times': 215,
'divide': 247,
'OElig': 338,
'oelig': 339,
'Scaron': 352,
'scaron': 353,
'Yuml': 376,
'fnof': 402,
'circ': 710,
'tilde': 732,
'Alpha': 913,
'Beta': 914,
'Gamma': 915,
'Delta': 916,
'Epsilon': 917,
'Zeta': 918,
'Eta': 919,
'Theta': 920,
'Iota': 921,
'Kappa': 922,
'Lambda': 923,
'Mu': 924,
'Nu': 925,
'Xi': 926,
'Omicron': 927,
'Pi': 928,
'Rho': 929,
'Sigma': 931,
'Tau': 932,
'Upsilon': 933,
'Phi': 934,
'Chi': 935,
'Psi': 936,
'Omega': 937,
'alpha': 945,
'beta': 946,
'gamma': 947,
'delta': 948,
'epsilon': 949,
'zeta': 950,
'eta': 951,
'theta': 952,
'iota': 953,
'kappa': 954,
'lambda': 955,
'mu': 956,
'nu': 957,
'xi': 958,
'omicron': 959,
'pi': 960,
'rho': 961,
'sigmaf': 962,
'sigma': 963,
'tau': 964,
'upsilon': 965,
'phi': 966,
'chi': 967,
'psi': 968,
'omega': 969,
'thetasym': 977,
'upsih': 978,
'piv': 982,
'ensp': 8194,
'emsp': 8195,
'thinsp': 8201,
'zwnj': 8204,
'zwj': 8205,
'lrm': 8206,
'rlm': 8207,
'ndash': 8211,
'mdash': 8212,
'lsquo': 8216,
'rsquo': 8217,
'sbquo': 8218,
'ldquo': 8220,
'rdquo': 8221,
'bdquo': 8222,
'dagger': 8224,
'Dagger': 8225,
'bull': 8226,
'hellip': 8230,
'permil': 8240,
'prime': 8242,
'Prime': 8243,
'lsaquo': 8249,
'rsaquo': 8250,
'oline': 8254,
'frasl': 8260,
'euro': 8364,
'image': 8465,
'weierp': 8472,
'real': 8476,
'trade': 8482,
'alefsym': 8501,
'larr': 8592,
'uarr': 8593,
'rarr': 8594,
'darr': 8595,
'harr': 8596,
'crarr': 8629,
'lArr': 8656,
'uArr': 8657,
'rArr': 8658,
'dArr': 8659,
'hArr': 8660,
'forall': 8704,
'part': 8706,
'exist': 8707,
'empty': 8709,
'nabla': 8711,
'isin': 8712,
'notin': 8713,
'ni': 8715,
'prod': 8719,
'sum': 8721,
'minus': 8722,
'lowast': 8727,
'radic': 8730,
'prop': 8733,
'infin': 8734,
'ang': 8736,
'and': 8743,
'or': 8744,
'cap': 8745,
'cup': 8746,
'int': 8747,
'there4': 8756,
'sim': 8764,
'cong': 8773,
'asymp': 8776,
'ne': 8800,
'equiv': 8801,
'le': 8804,
'ge': 8805,
'sub': 8834,
'sup': 8835,
'nsub': 8836,
'sube': 8838,
'supe': 8839,
'oplus': 8853,
'otimes': 8855,
'perp': 8869,
'sdot': 8901,
'lceil': 8968,
'rceil': 8969,
'lfloor': 8970,
'rfloor': 8971,
'lang': 9001,
'rang': 9002,
'loz': 9674,
'spades': 9824,
'clubs': 9827,
'hearts': 9829,
'diams': 9830
}
Object.keys(sax.ENTITIES).forEach(function (key) {
var e = sax.ENTITIES[key]
var s = typeof e === 'number' ? String.fromCharCode(e) : e
sax.ENTITIES[key] = s
})
for (var s in sax.STATE) {
sax.STATE[sax.STATE[s]] = s
}
// shorthand
S = sax.STATE
function emit (parser, event, data) {
parser[event] && parser[event](data)
}
function emitNode (parser, nodeType, data) {
if (parser.textNode) closeText(parser)
emit(parser, nodeType, data)
}
function closeText (parser) {
parser.textNode = textopts(parser.opt, parser.textNode)
if (parser.textNode) emit(parser, 'ontext', parser.textNode)
parser.textNode = ''
}
function textopts (opt, text) {
if (opt.trim) text = text.trim()
if (opt.normalize) text = text.replace(/\s+/g, ' ')
return text
}
function error (parser, er) {
closeText(parser)
if (parser.trackPosition) {
er += '\nLine: ' + parser.line +
'\nColumn: ' + parser.column +
'\nChar: ' + parser.c
}
er = new Error(er)
parser.error = er
emit(parser, 'onerror', er)
return parser
}
function end (parser) {
if (parser.sawRoot && !parser.closedRoot) strictFail(parser, 'Unclosed root tag')
if ((parser.state !== S.BEGIN) &&
(parser.state !== S.BEGIN_WHITESPACE) &&
(parser.state !== S.TEXT)) {
error(parser, 'Unexpected end')
}
closeText(parser)
parser.c = ''
parser.closed = true
emit(parser, 'onend')
SAXParser.call(parser, parser.strict, parser.opt)
return parser
}
function strictFail (parser, message) {
if (typeof parser !== 'object' || !(parser instanceof SAXParser)) {
throw new Error('bad call to strictFail')
}
if (parser.strict) {
error(parser, message)
}
}
function newTag (parser) {
if (!parser.strict) parser.tagName = parser.tagName[parser.looseCase]()
var parent = parser.tags[parser.tags.length - 1] || parser
var tag = parser.tag = { name: parser.tagName, attributes: {} }
// will be overridden if tag contails an xmlns="foo" or xmlns:foo="bar"
if (parser.opt.xmlns) {
tag.ns = parent.ns
}
parser.attribList.length = 0
emitNode(parser, 'onopentagstart', tag)
}
function qname (name, attribute) {
var i = name.indexOf(':')
var qualName = i < 0 ? [ '', name ] : name.split(':')
var prefix = qualName[0]
var local = qualName[1]
// <x "xmlns"="http://foo">
if (attribute && name === 'xmlns') {
prefix = 'xmlns'
local = ''
}
return { prefix: prefix, local: local }
}
function attrib (parser) {
if (!parser.strict) {
parser.attribName = parser.attribName[parser.looseCase]()
}
if (parser.attribList.indexOf(parser.attribName) !== -1 ||
parser.tag.attributes.hasOwnProperty(parser.attribName)) {
parser.attribName = parser.attribValue = ''
return
}
if (parser.opt.xmlns) {
var qn = qname(parser.attribName, true)
var prefix = qn.prefix
var local = qn.local
if (prefix === 'xmlns') {
// namespace binding attribute. push the binding into scope
if (local === 'xml' && parser.attribValue !== XML_NAMESPACE) {
strictFail(parser,
'xml: prefix must be bound to ' + XML_NAMESPACE + '\n' +
'Actual: ' + parser.attribValue)
} else if (local === 'xmlns' && parser.attribValue !== XMLNS_NAMESPACE) {
strictFail(parser,
'xmlns: prefix must be bound to ' + XMLNS_NAMESPACE + '\n' +
'Actual: ' + parser.attribValue)
} else {
var tag = parser.tag
var parent = parser.tags[parser.tags.length - 1] || parser
if (tag.ns === parent.ns) {
tag.ns = Object.create(parent.ns)
}
tag.ns[local] = parser.attribValue
}
}
// defer onattribute events until all attributes have been seen
// so any new bindings can take effect. preserve attribute order
// so deferred events can be emitted in document order
parser.attribList.push([parser.attribName, parser.attribValue])
} else {
// in non-xmlns mode, we can emit the event right away
parser.tag.attributes[parser.attribName] = parser.attribValue
emitNode(parser, 'onattribute', {
name: parser.attribName,
value: parser.attribValue
})
}
parser.attribName = parser.attribValue = ''
}
function openTag (parser, selfClosing) {
if (parser.opt.xmlns) {
// emit namespace binding events
var tag = parser.tag
// add namespace info to tag
var qn = qname(parser.tagName)
tag.prefix = qn.prefix
tag.local = qn.local
tag.uri = tag.ns[qn.prefix] || ''
if (tag.prefix && !tag.uri) {
strictFail(parser, 'Unbound namespace prefix: ' +
JSON.stringify(parser.tagName))
tag.uri = qn.prefix
}
var parent = parser.tags[parser.tags.length - 1] || parser
if (tag.ns && parent.ns !== tag.ns) {
Object.keys(tag.ns).forEach(function (p) {
emitNode(parser, 'onopennamespace', {
prefix: p,
uri: tag.ns[p]
})
})
}
// handle deferred onattribute events
// Note: do not apply default ns to attributes:
// http://www.w3.org/TR/REC-xml-names/#defaulting
for (var i = 0, l = parser.attribList.length; i < l; i++) {
var nv = parser.attribList[i]
var name = nv[0]
var value = nv[1]
var qualName = qname(name, true)
var prefix = qualName.prefix
var local = qualName.local
var uri = prefix === '' ? '' : (tag.ns[prefix] || '')
var a = {
name: name,
value: value,
prefix: prefix,
local: local,
uri: uri
}
// if there's any attributes with an undefined namespace,
// then fail on them now.
if (prefix && prefix !== 'xmlns' && !uri) {
strictFail(parser, 'Unbound namespace prefix: ' +
JSON.stringify(prefix))
a.uri = prefix
}
parser.tag.attributes[name] = a
emitNode(parser, 'onattribute', a)
}
parser.attribList.length = 0
}
parser.tag.isSelfClosing = !!selfClosing
// process the tag
parser.sawRoot = true
parser.tags.push(parser.tag)
emitNode(parser, 'onopentag', parser.tag)
if (!selfClosing) {
// special case for <script> in non-strict mode.
if (!parser.noscript && parser.tagName.toLowerCase() === 'script') {
parser.state = S.SCRIPT
} else {
parser.state = S.TEXT
}
parser.tag = null
parser.tagName = ''
}
parser.attribName = parser.attribValue = ''
parser.attribList.length = 0
}
function closeTag (parser) {
if (!parser.tagName) {
strictFail(parser, 'Weird empty close tag.')
parser.textNode += '</>'
parser.state = S.TEXT
return
}
if (parser.script) {
if (parser.tagName !== 'script') {
parser.script += '</' + parser.tagName + '>'
parser.tagName = ''
parser.state = S.SCRIPT
return
}
emitNode(parser, 'onscript', parser.script)
parser.script = ''
}
// first make sure that the closing tag actually exists.
// <a><b></c></b></a> will close everything, otherwise.
var t = parser.tags.length
var tagName = parser.tagName
if (!parser.strict) {
tagName = tagName[parser.looseCase]()
}
var closeTo = tagName
while (t--) {
var close = parser.tags[t]
if (close.name !== closeTo) {
// fail the first time in strict mode
strictFail(parser, 'Unexpected close tag')
} else {
break
}
}
// didn't find it. we already failed for strict, so just abort.
if (t < 0) {
strictFail(parser, 'Unmatched closing tag: ' + parser.tagName)
parser.textNode += '</' + parser.tagName + '>'
parser.state = S.TEXT
return
}
parser.tagName = tagName
var s = parser.tags.length
while (s-- > t) {
var tag = parser.tag = parser.tags.pop()
parser.tagName = parser.tag.name
emitNode(parser, 'onclosetag', parser.tagName)
var x = {}
for (var i in tag.ns) {
x[i] = tag.ns[i]
}
var parent = parser.tags[parser.tags.length - 1] || parser
if (parser.opt.xmlns && tag.ns !== parent.ns) {
// remove namespace bindings introduced by tag
Object.keys(tag.ns).forEach(function (p) {
var n = tag.ns[p]
emitNode(parser, 'onclosenamespace', { prefix: p, uri: n })
})
}
}
if (t === 0) parser.closedRoot = true
parser.tagName = parser.attribValue = parser.attribName = ''
parser.attribList.length = 0
parser.state = S.TEXT
}
function parseEntity (parser) {
var entity = parser.entity
var entityLC = entity.toLowerCase()
var num
var numStr = ''
if (parser.ENTITIES[entity]) {
return parser.ENTITIES[entity]
}
if (parser.ENTITIES[entityLC]) {
return parser.ENTITIES[entityLC]
}
entity = entityLC
if (entity.charAt(0) === '#') {
if (entity.charAt(1) === 'x') {
entity = entity.slice(2)
num = parseInt(entity, 16)
numStr = num.toString(16)
} else {
entity = entity.slice(1)
num = parseInt(entity, 10)
numStr = num.toString(10)
}
}
entity = entity.replace(/^0+/, '')
if (numStr.toLowerCase() !== entity) {
strictFail(parser, 'Invalid character entity')
return '&' + parser.entity + ';'
}
return String.fromCodePoint(num)
}
function beginWhiteSpace (parser, c) {
if (c === '<') {
parser.state = S.OPEN_WAKA
parser.startTagPosition = parser.position
} else if (not(whitespace, c)) {
// have to process this as a text node.
// weird, but happens.
strictFail(parser, 'Non-whitespace before first tag.')
parser.textNode = c
parser.state = S.TEXT
}
}
function charAt (chunk, i) {
var result = ''
if (i < chunk.length) {
result = chunk.charAt(i)
}
return result
}
function write (chunk) {
var parser = this
if (this.error) {
throw this.error
}
if (parser.closed) {
return error(parser,
'Cannot write after close. Assign an onready handler.')
}
if (chunk === null) {
return end(parser)
}
if (typeof chunk === 'object') {
chunk = chunk.toString()
}
var i = 0
var c = ''
while (true) {
c = charAt(chunk, i++)
parser.c = c
if (!c) {
break
}
if (parser.trackPosition) {
parser.position++
if (c === '\n') {
parser.line++
parser.column = 0
} else {
parser.column++
}
}
switch (parser.state) {
case S.BEGIN:
parser.state = S.BEGIN_WHITESPACE
if (c === '\uFEFF') {
continue
}
beginWhiteSpace(parser, c)
continue
case S.BEGIN_WHITESPACE:
beginWhiteSpace(parser, c)
continue
case S.TEXT:
if (parser.sawRoot && !parser.closedRoot) {
var starti = i - 1
while (c && c !== '<' && c !== '&') {
c = charAt(chunk, i++)
if (c && parser.trackPosition) {
parser.position++
if (c === '\n') {
parser.line++
parser.column = 0
} else {
parser.column++
}
}
}
parser.textNode += chunk.substring(starti, i - 1)
}
if (c === '<' && !(parser.sawRoot && parser.closedRoot && !parser.strict)) {
parser.state = S.OPEN_WAKA
parser.startTagPosition = parser.position
} else {
if (not(whitespace, c) && (!parser.sawRoot || parser.closedRoot)) {
strictFail(parser, 'Text data outside of root node.')
}
if (c === '&') {
parser.state = S.TEXT_ENTITY
} else {
parser.textNode += c
}
}
continue
case S.SCRIPT:
// only non-strict
if (c === '<') {
parser.state = S.SCRIPT_ENDING
} else {
parser.script += c
}
continue
case S.SCRIPT_ENDING:
if (c === '/') {
parser.state = S.CLOSE_TAG
} else {
parser.script += '<' + c
parser.state = S.SCRIPT
}
continue
case S.OPEN_WAKA:
// either a /, ?, !, or text is coming next.
if (c === '!') {
parser.state = S.SGML_DECL
parser.sgmlDecl = ''
} else if (is(whitespace, c)) {
// wait for it...
} else if (is(nameStart, c)) {
parser.state = S.OPEN_TAG
parser.tagName = c
} else if (c === '/') {
parser.state = S.CLOSE_TAG
parser.tagName = ''
} else if (c === '?') {
parser.state = S.PROC_INST
parser.procInstName = parser.procInstBody = ''
} else {
strictFail(parser, 'Unencoded <')
// if there was some whitespace, then add that in.
if (parser.startTagPosition + 1 < parser.position) {
var pad = parser.position - parser.startTagPosition
c = new Array(pad).join(' ') + c
}
parser.textNode += '<' + c
parser.state = S.TEXT
}
continue
case S.SGML_DECL:
if ((parser.sgmlDecl + c).toUpperCase() === CDATA) {
emitNode(parser, 'onopencdata')
parser.state = S.CDATA
parser.sgmlDecl = ''
parser.cdata = ''
} else if (parser.sgmlDecl + c === '--') {
parser.state = S.COMMENT
parser.comment = ''
parser.sgmlDecl = ''
} else if ((parser.sgmlDecl + c).toUpperCase() === DOCTYPE) {
parser.state = S.DOCTYPE
if (parser.doctype || parser.sawRoot) {
strictFail(parser,
'Inappropriately located doctype declaration')
}
parser.doctype = ''
parser.sgmlDecl = ''
} else if (c === '>') {
emitNode(parser, 'onsgmldeclaration', parser.sgmlDecl)
parser.sgmlDecl = ''
parser.state = S.TEXT
} else if (is(quote, c)) {
parser.state = S.SGML_DECL_QUOTED
parser.sgmlDecl += c
} else {
parser.sgmlDecl += c
}
continue
case S.SGML_DECL_QUOTED:
if (c === parser.q) {
parser.state = S.SGML_DECL
parser.q = ''
}
parser.sgmlDecl += c
continue
case S.DOCTYPE:
if (c === '>') {
parser.state = S.TEXT
emitNode(parser, 'ondoctype', parser.doctype)
parser.doctype = true // just remember that we saw it.
} else {
parser.doctype += c
if (c === '[') {
parser.state = S.DOCTYPE_DTD
} else if (is(quote, c)) {
parser.state = S.DOCTYPE_QUOTED
parser.q = c
}
}
continue
case S.DOCTYPE_QUOTED:
parser.doctype += c
if (c === parser.q) {
parser.q = ''
parser.state = S.DOCTYPE
}
continue
case S.DOCTYPE_DTD:
parser.doctype += c
if (c === ']') {
parser.state = S.DOCTYPE
} else if (is(quote, c)) {
parser.state = S.DOCTYPE_DTD_QUOTED
parser.q = c
}
continue
case S.DOCTYPE_DTD_QUOTED:
parser.doctype += c
if (c === parser.q) {
parser.state = S.DOCTYPE_DTD
parser.q = ''
}
continue
case S.COMMENT:
if (c === '-') {
parser.state = S.COMMENT_ENDING
} else {
parser.comment += c
}
continue
case S.COMMENT_ENDING:
if (c === '-') {
parser.state = S.COMMENT_ENDED
parser.comment = textopts(parser.opt, parser.comment)
if (parser.comment) {
emitNode(parser, 'oncomment', parser.comment)
}
parser.comment = ''
} else {
parser.comment += '-' + c
parser.state = S.COMMENT
}
continue
case S.COMMENT_ENDED:
if (c !== '>') {
strictFail(parser, 'Malformed comment')
// allow <!-- blah -- bloo --> in non-strict mode,
// which is a comment of " blah -- bloo "
parser.comment += '--' + c
parser.state = S.COMMENT
} else {
parser.state = S.TEXT
}
continue
case S.CDATA:
if (c === ']') {
parser.state = S.CDATA_ENDING
} else {
parser.cdata += c
}
continue
case S.CDATA_ENDING:
if (c === ']') {
parser.state = S.CDATA_ENDING_2
} else {
parser.cdata += ']' + c
parser.state = S.CDATA
}
continue
case S.CDATA_ENDING_2:
if (c === '>') {
if (parser.cdata) {
emitNode(parser, 'oncdata', parser.cdata)
}
emitNode(parser, 'onclosecdata')
parser.cdata = ''
parser.state = S.TEXT
} else if (c === ']') {
parser.cdata += ']'
} else {
parser.cdata += ']]' + c
parser.state = S.CDATA
}
continue
case S.PROC_INST:
if (c === '?') {
parser.state = S.PROC_INST_ENDING
} else if (is(whitespace, c)) {
parser.state = S.PROC_INST_BODY
} else {
parser.procInstName += c
}
continue
case S.PROC_INST_BODY:
if (!parser.procInstBody && is(whitespace, c)) {
continue
} else if (c === '?') {
parser.state = S.PROC_INST_ENDING
} else {
parser.procInstBody += c
}
continue
case S.PROC_INST_ENDING:
if (c === '>') {
emitNode(parser, 'onprocessinginstruction', {
name: parser.procInstName,
body: parser.procInstBody
})
parser.procInstName = parser.procInstBody = ''
parser.state = S.TEXT
} else {
parser.procInstBody += '?' + c
parser.state = S.PROC_INST_BODY
}
continue
case S.OPEN_TAG:
if (is(nameBody, c)) {
parser.tagName += c
} else {
newTag(parser)
if (c === '>') {
openTag(parser)
} else if (c === '/') {
parser.state = S.OPEN_TAG_SLASH
} else {
if (not(whitespace, c)) {
strictFail(parser, 'Invalid character in tag name')
}
parser.state = S.ATTRIB
}
}
continue
case S.OPEN_TAG_SLASH:
if (c === '>') {
openTag(parser, true)
closeTag(parser)
} else {
strictFail(parser, 'Forward-slash in opening tag not followed by >')
parser.state = S.ATTRIB
}
continue
case S.ATTRIB:
// haven't read the attribute name yet.
if (is(whitespace, c)) {
continue
} else if (c === '>') {
openTag(parser)
} else if (c === '/') {
parser.state = S.OPEN_TAG_SLASH
} else if (is(nameStart, c)) {
parser.attribName = c
parser.attribValue = ''
parser.state = S.ATTRIB_NAME
} else {
strictFail(parser, 'Invalid attribute name')
}
continue
case S.ATTRIB_NAME:
if (c === '=') {
parser.state = S.ATTRIB_VALUE
} else if (c === '>') {
strictFail(parser, 'Attribute without value')
parser.attribValue = parser.attribName
attrib(parser)
openTag(parser)
} else if (is(whitespace, c)) {
parser.state = S.ATTRIB_NAME_SAW_WHITE
} else if (is(nameBody, c)) {
parser.attribName += c
} else {
strictFail(parser, 'Invalid attribute name')
}
continue
case S.ATTRIB_NAME_SAW_WHITE:
if (c === '=') {
parser.state = S.ATTRIB_VALUE
} else if (is(whitespace, c)) {
continue
} else {
strictFail(parser, 'Attribute without value')
parser.tag.attributes[parser.attribName] = ''
parser.attribValue = ''
emitNode(parser, 'onattribute', {
name: parser.attribName,
value: ''
})
parser.attribName = ''
if (c === '>') {
openTag(parser)
} else if (is(nameStart, c)) {
parser.attribName = c
parser.state = S.ATTRIB_NAME
} else {
strictFail(parser, 'Invalid attribute name')
parser.state = S.ATTRIB
}
}
continue
case S.ATTRIB_VALUE:
if (is(whitespace, c)) {
continue
} else if (is(quote, c)) {
parser.q = c
parser.state = S.ATTRIB_VALUE_QUOTED
} else {
strictFail(parser, 'Unquoted attribute value')
parser.state = S.ATTRIB_VALUE_UNQUOTED
parser.attribValue = c
}
continue
case S.ATTRIB_VALUE_QUOTED:
if (c !== parser.q) {
if (c === '&') {
parser.state = S.ATTRIB_VALUE_ENTITY_Q
} else {
parser.attribValue += c
}
continue
}
attrib(parser)
parser.q = ''
parser.state = S.ATTRIB_VALUE_CLOSED
continue
case S.ATTRIB_VALUE_CLOSED:
if (is(whitespace, c)) {
parser.state = S.ATTRIB
} else if (c === '>') {
openTag(parser)
} else if (c === '/') {
parser.state = S.OPEN_TAG_SLASH
} else if (is(nameStart, c)) {
strictFail(parser, 'No whitespace between attributes')
parser.attribName = c
parser.attribValue = ''
parser.state = S.ATTRIB_NAME
} else {
strictFail(parser, 'Invalid attribute name')
}
continue
case S.ATTRIB_VALUE_UNQUOTED:
if (not(attribEnd, c)) {
if (c === '&') {
parser.state = S.ATTRIB_VALUE_ENTITY_U
} else {
parser.attribValue += c
}
continue
}
attrib(parser)
if (c === '>') {
openTag(parser)
} else {
parser.state = S.ATTRIB
}
continue
case S.CLOSE_TAG:
if (!parser.tagName) {
if (is(whitespace, c)) {
continue
} else if (not(nameStart, c)) {
if (parser.script) {
parser.script += '</' + c
parser.state = S.SCRIPT
} else {
strictFail(parser, 'Invalid tagname in closing tag.')
}
} else {
parser.tagName = c
}
} else if (c === '>') {
closeTag(parser)
} else if (is(nameBody, c)) {
parser.tagName += c
} else if (parser.script) {
parser.script += '</' + parser.tagName
parser.tagName = ''
parser.state = S.SCRIPT
} else {
if (not(whitespace, c)) {
strictFail(parser, 'Invalid tagname in closing tag')
}
parser.state = S.CLOSE_TAG_SAW_WHITE
}
continue
case S.CLOSE_TAG_SAW_WHITE:
if (is(whitespace, c)) {
continue
}
if (c === '>') {
closeTag(parser)
} else {
strictFail(parser, 'Invalid characters in closing tag')
}
continue
case S.TEXT_ENTITY:
case S.ATTRIB_VALUE_ENTITY_Q:
case S.ATTRIB_VALUE_ENTITY_U:
var returnState
var buffer
switch (parser.state) {
case S.TEXT_ENTITY:
returnState = S.TEXT
buffer = 'textNode'
break
case S.ATTRIB_VALUE_ENTITY_Q:
returnState = S.ATTRIB_VALUE_QUOTED
buffer = 'attribValue'
break
case S.ATTRIB_VALUE_ENTITY_U:
returnState = S.ATTRIB_VALUE_UNQUOTED
buffer = 'attribValue'
break
}
if (c === ';') {
parser[buffer] += parseEntity(parser)
parser.entity = ''
parser.state = returnState
} else if (is(parser.entity.length ? entityBody : entityStart, c)) {
parser.entity += c
} else {
strictFail(parser, 'Invalid character in entity name')
parser[buffer] += '&' + parser.entity + c
parser.entity = ''
parser.state = returnState
}
continue
default:
throw new Error(parser, 'Unknown state: ' + parser.state)
}
} // while
if (parser.position >= parser.bufferCheckPosition) {
checkBufferLength(parser)
}
return parser
}
/*! http://mths.be/fromcodepoint v0.1.0 by @mathias */
if (!String.fromCodePoint) {
(function () {
var stringFromCharCode = String.fromCharCode
var floor = Math.floor
var fromCodePoint = function () {
var MAX_SIZE = 0x4000
var codeUnits = []
var highSurrogate
var lowSurrogate
var index = -1
var length = arguments.length
if (!length) {
return ''
}
var result = ''
while (++index < length) {
var codePoint = Number(arguments[index])
if (
!isFinite(codePoint) || // `NaN`, `+Infinity`, or `-Infinity`
codePoint < 0 || // not a valid Unicode code point
codePoint > 0x10FFFF || // not a valid Unicode code point
floor(codePoint) !== codePoint // not an integer
) {
throw RangeError('Invalid code point: ' + codePoint)
}
if (codePoint <= 0xFFFF) { // BMP code point
codeUnits.push(codePoint)
} else { // Astral code point; split in surrogate halves
// http://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae
codePoint -= 0x10000
highSurrogate = (codePoint >> 10) + 0xD800
lowSurrogate = (codePoint % 0x400) + 0xDC00
codeUnits.push(highSurrogate, lowSurrogate)
}
if (index + 1 === length || codeUnits.length > MAX_SIZE) {
result += stringFromCharCode.apply(null, codeUnits)
codeUnits.length = 0
}
}
return result
}
if (Object.defineProperty) {
Object.defineProperty(String, 'fromCodePoint', {
value: fromCodePoint,
configurable: true,
writable: true
})
} else {
String.fromCodePoint = fromCodePoint
}
}())
}
})(typeof exports === 'undefined' ? this.sax = {} : exports)
}).call(this,_dereq_(9).Buffer)
},{"34":34,"35":35,"9":9}],45:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _EventBus = _dereq_(46);
var _EventBus2 = _interopRequireDefault(_EventBus);
var _eventsEvents = _dereq_(50);
var _eventsEvents2 = _interopRequireDefault(_eventsEvents);
var _FactoryMaker = _dereq_(47);
var _FactoryMaker2 = _interopRequireDefault(_FactoryMaker);
var LOG_LEVEL_NONE = 0;
var LOG_LEVEL_FATAL = 1;
var LOG_LEVEL_ERROR = 2;
var LOG_LEVEL_WARNING = 3;
var LOG_LEVEL_INFO = 4;
var LOG_LEVEL_DEBUG = 5;
/**
* @module Debug
*/
function Debug() {
var context = this.context;
var eventBus = (0, _EventBus2['default'])(context).getInstance();
var logFn = [];
var instance = undefined,
showLogTimestamp = undefined,
showCalleeName = undefined,
startTime = undefined,
logLevel = undefined;
function setup() {
showLogTimestamp = true;
showCalleeName = true;
logLevel = LOG_LEVEL_WARNING;
startTime = new Date().getTime();
if (typeof window !== 'undefined' && window.console) {
logFn[LOG_LEVEL_FATAL] = getLogFn(window.console.error);
logFn[LOG_LEVEL_ERROR] = getLogFn(window.console.error);
logFn[LOG_LEVEL_WARNING] = getLogFn(window.console.warn);
logFn[LOG_LEVEL_INFO] = getLogFn(window.console.info);
logFn[LOG_LEVEL_DEBUG] = getLogFn(window.console.debug);
}
}
function getLogFn(fn) {
if (fn && fn.bind) {
return fn.bind(window.console);
}
// if not define, return the default function for reporting logs
return window.console.log.bind(window.console);
}
/**
* Retrieves a logger which can be used to write logging information in browser console.
* @param {object} instance Object for which the logger is created. It is used
* to include calle object information in log messages.
* @memberof module:Debug
* @returns {Logger}
* @instance
*/
function getLogger(instance) {
return {
fatal: fatal.bind(instance),
error: error.bind(instance),
warn: warn.bind(instance),
info: info.bind(instance),
debug: debug.bind(instance)
};
}
/**
* Sets up the log level. The levels are cumulative. For example, if you set the log level
* to dashjs.Debug.LOG_LEVEL_WARNING all warnings, errors and fatals will be logged. Possible values
*
* <ul>
* <li>dashjs.Debug.LOG_LEVEL_NONE<br/>
* No message is written in the browser console.
*
* <li>dashjs.Debug.LOG_LEVEL_FATAL<br/>
* Log fatal errors. An error is considered fatal when it causes playback to fail completely.
*
* <li>dashjs.Debug.LOG_LEVEL_ERROR<br/>
* Log error messages.
*
* <li>dashjs.Debug.LOG_LEVEL_WARNING<br/>
* Log warning messages.
*
* <li>dashjs.Debug.LOG_LEVEL_INFO<br/>
* Log info messages.
*
* <li>dashjs.Debug.LOG_LEVEL_DEBUG<br/>
* Log debug messages.
* </ul>
* @param {number} value Log level
* @default true
* @memberof module:Debug
* @instance
*/
function setLogLevel(value) {
logLevel = value;
}
/**
* Use this method to get the current log level.
* @memberof module:Debug
* @instance
*/
function getLogLevel() {
return logLevel;
}
/**
* Prepends a timestamp in milliseconds to each log message.
* @param {boolean} value Set to true if you want to see a timestamp in each log message.
* @default LOG_LEVEL_WARNING
* @memberof module:Debug
* @instance
*/
function setLogTimestampVisible(value) {
showLogTimestamp = value;
}
/**
* Prepends the callee object name, and media type if available, to each log message.
* @param {boolean} value Set to true if you want to see the callee object name and media type in each log message.
* @default true
* @memberof module:Debug
* @instance
*/
function setCalleeNameVisible(value) {
showCalleeName = value;
}
/**
* Toggles logging to the browser's javascript console. If you set to false you will still receive a log event with the same message.
* @param {boolean} value Set to false if you want to turn off logging to the browser's console.
* @default true
* @memberof module:Debug
* @instance
* @deprecated
*/
function setLogToBrowserConsole(value) {
// Replicate functionality previous to log levels feature
if (value) {
logLevel = LOG_LEVEL_DEBUG;
} else {
logLevel = LOG_LEVEL_NONE;
}
}
/**
* Use this method to get the state of logToBrowserConsole.
* @returns {boolean} The current value of logToBrowserConsole
* @memberof module:Debug
* @instance
* @deprecated
*/
function getLogToBrowserConsole() {
return logLevel !== LOG_LEVEL_NONE;
}
function fatal() {
for (var _len = arguments.length, params = Array(_len), _key = 0; _key < _len; _key++) {
params[_key] = arguments[_key];
}
doLog.apply(undefined, [LOG_LEVEL_FATAL, this].concat(params));
}
function error() {
for (var _len2 = arguments.length, params = Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {
params[_key2] = arguments[_key2];
}
doLog.apply(undefined, [LOG_LEVEL_ERROR, this].concat(params));
}
function warn() {
for (var _len3 = arguments.length, params = Array(_len3), _key3 = 0; _key3 < _len3; _key3++) {
params[_key3] = arguments[_key3];
}
doLog.apply(undefined, [LOG_LEVEL_WARNING, this].concat(params));
}
function info() {
for (var _len4 = arguments.length, params = Array(_len4), _key4 = 0; _key4 < _len4; _key4++) {
params[_key4] = arguments[_key4];
}
doLog.apply(undefined, [LOG_LEVEL_INFO, this].concat(params));
}
function debug() {
for (var _len5 = arguments.length, params = Array(_len5), _key5 = 0; _key5 < _len5; _key5++) {
params[_key5] = arguments[_key5];
}
doLog.apply(undefined, [LOG_LEVEL_DEBUG, this].concat(params));
}
function doLog(level, _this) {
if (logLevel < level) {
return;
}
var message = '';
var logTime = null;
if (showLogTimestamp) {
logTime = new Date().getTime();
message += '[' + (logTime - startTime) + ']';
}
if (showCalleeName && _this && _this.getClassName) {
message += '[' + _this.getClassName() + ']';
if (_this.getType) {
message += '[' + _this.getType() + ']';
}
}
if (message.length > 0) {
message += ' ';
}
for (var _len6 = arguments.length, params = Array(_len6 > 2 ? _len6 - 2 : 0), _key6 = 2; _key6 < _len6; _key6++) {
params[_key6 - 2] = arguments[_key6];
}
Array.apply(null, params).forEach(function (item) {
message += item + ' ';
});
if (logFn[level]) {
logFn[level](message);
}
// TODO: To be removed
eventBus.trigger(_eventsEvents2['default'].LOG, { message: message });
}
instance = {
getLogger: getLogger,
setLogTimestampVisible: setLogTimestampVisible,
setCalleeNameVisible: setCalleeNameVisible,
setLogToBrowserConsole: setLogToBrowserConsole,
getLogToBrowserConsole: getLogToBrowserConsole,
setLogLevel: setLogLevel,
getLogLevel: getLogLevel
};
setup();
return instance;
}
Debug.__dashjs_factory_name = 'Debug';
var factory = _FactoryMaker2['default'].getSingletonFactory(Debug);
factory.LOG_LEVEL_NONE = LOG_LEVEL_NONE;
factory.LOG_LEVEL_FATAL = LOG_LEVEL_FATAL;
factory.LOG_LEVEL_ERROR = LOG_LEVEL_ERROR;
factory.LOG_LEVEL_WARNING = LOG_LEVEL_WARNING;
factory.LOG_LEVEL_INFO = LOG_LEVEL_INFO;
factory.LOG_LEVEL_DEBUG = LOG_LEVEL_DEBUG;
_FactoryMaker2['default'].updateSingletonFactory(Debug.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"46":46,"47":47,"50":50}],46:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _FactoryMaker = _dereq_(47);
var _FactoryMaker2 = _interopRequireDefault(_FactoryMaker);
var EVENT_PRIORITY_LOW = 0;
var EVENT_PRIORITY_HIGH = 5000;
function EventBus() {
var handlers = {};
function on(type, listener, scope) {
var priority = arguments.length <= 3 || arguments[3] === undefined ? EVENT_PRIORITY_LOW : arguments[3];
if (!type) {
throw new Error('event type cannot be null or undefined');
}
if (!listener || typeof listener !== 'function') {
throw new Error('listener must be a function: ' + listener);
}
if (getHandlerIdx(type, listener, scope) >= 0) return;
handlers[type] = handlers[type] || [];
var handler = {
callback: listener,
scope: scope,
priority: priority
};
var inserted = handlers[type].some(function (item, idx) {
if (item && priority > item.priority) {
handlers[type].splice(idx, 0, handler);
return true;
}
});
if (!inserted) {
handlers[type].push(handler);
}
}
function off(type, listener, scope) {
if (!type || !listener || !handlers[type]) return;
var idx = getHandlerIdx(type, listener, scope);
if (idx < 0) return;
handlers[type][idx] = null;
}
function trigger(type, payload) {
if (!type || !handlers[type]) return;
payload = payload || {};
if (payload.hasOwnProperty('type')) throw new Error('\'type\' is a reserved word for event dispatching');
payload.type = type;
handlers[type] = handlers[type].filter(function (item) {
return item;
});
handlers[type].forEach(function (handler) {
return handler && handler.callback.call(handler.scope, payload);
});
}
function getHandlerIdx(type, listener, scope) {
var idx = -1;
if (!handlers[type]) return idx;
handlers[type].some(function (item, index) {
if (item && item.callback === listener && (!scope || scope === item.scope)) {
idx = index;
return true;
}
});
return idx;
}
function reset() {
handlers = {};
}
var instance = {
on: on,
off: off,
trigger: trigger,
reset: reset
};
return instance;
}
EventBus.__dashjs_factory_name = 'EventBus';
var factory = _FactoryMaker2['default'].getSingletonFactory(EventBus);
factory.EVENT_PRIORITY_LOW = EVENT_PRIORITY_LOW;
factory.EVENT_PRIORITY_HIGH = EVENT_PRIORITY_HIGH;
_FactoryMaker2['default'].updateSingletonFactory(EventBus.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47}],47:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @module FactoryMaker
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
var FactoryMaker = (function () {
var instance = undefined;
var singletonContexts = [];
var singletonFactories = {};
var classFactories = {};
function extend(name, childInstance, override, context) {
if (!context[name] && childInstance) {
context[name] = {
instance: childInstance,
override: override
};
}
}
/**
* Use this method from your extended object. this.factory is injected into your object.
* this.factory.getSingletonInstance(this.context, 'VideoModel')
* will return the video model for use in the extended object.
*
* @param {Object} context - injected into extended object as this.context
* @param {string} className - string name found in all dash.js objects
* with name __dashjs_factory_name Will be at the bottom. Will be the same as the object's name.
* @returns {*} Context aware instance of specified singleton name.
* @memberof module:FactoryMaker
* @instance
*/
function getSingletonInstance(context, className) {
for (var i in singletonContexts) {
var obj = singletonContexts[i];
if (obj.context === context && obj.name === className) {
return obj.instance;
}
}
return null;
}
/**
* Use this method to add an singleton instance to the system. Useful for unit testing to mock objects etc.
*
* @param {Object} context
* @param {string} className
* @param {Object} instance
* @memberof module:FactoryMaker
* @instance
*/
function setSingletonInstance(context, className, instance) {
for (var i in singletonContexts) {
var obj = singletonContexts[i];
if (obj.context === context && obj.name === className) {
singletonContexts[i].instance = instance;
return;
}
}
singletonContexts.push({
name: className,
context: context,
instance: instance
});
}
/*------------------------------------------------------------------------------------------*/
// Factories storage Management
/*------------------------------------------------------------------------------------------*/
function getFactoryByName(name, factoriesArray) {
return factoriesArray[name];
}
function updateFactory(name, factory, factoriesArray) {
if (name in factoriesArray) {
factoriesArray[name] = factory;
}
}
/*------------------------------------------------------------------------------------------*/
// Class Factories Management
/*------------------------------------------------------------------------------------------*/
function updateClassFactory(name, factory) {
updateFactory(name, factory, classFactories);
}
function getClassFactoryByName(name) {
return getFactoryByName(name, classFactories);
}
function getClassFactory(classConstructor) {
var factory = getFactoryByName(classConstructor.__dashjs_factory_name, classFactories);
if (!factory) {
factory = function (context) {
if (context === undefined) {
context = {};
}
return {
create: function create() {
return merge(classConstructor, context, arguments);
}
};
};
classFactories[classConstructor.__dashjs_factory_name] = factory; // store factory
}
return factory;
}
/*------------------------------------------------------------------------------------------*/
// Singleton Factory MAangement
/*------------------------------------------------------------------------------------------*/
function updateSingletonFactory(name, factory) {
updateFactory(name, factory, singletonFactories);
}
function getSingletonFactoryByName(name) {
return getFactoryByName(name, singletonFactories);
}
function getSingletonFactory(classConstructor) {
var factory = getFactoryByName(classConstructor.__dashjs_factory_name, singletonFactories);
if (!factory) {
factory = function (context) {
var instance = undefined;
if (context === undefined) {
context = {};
}
return {
getInstance: function getInstance() {
// If we don't have an instance yet check for one on the context
if (!instance) {
instance = getSingletonInstance(context, classConstructor.__dashjs_factory_name);
}
// If there's no instance on the context then create one
if (!instance) {
instance = merge(classConstructor, context, arguments);
singletonContexts.push({
name: classConstructor.__dashjs_factory_name,
context: context,
instance: instance
});
}
return instance;
}
};
};
singletonFactories[classConstructor.__dashjs_factory_name] = factory; // store factory
}
return factory;
}
function merge(classConstructor, context, args) {
var classInstance = undefined;
var className = classConstructor.__dashjs_factory_name;
var extensionObject = context[className];
if (extensionObject) {
var extension = extensionObject.instance;
if (extensionObject.override) {
//Override public methods in parent but keep parent.
classInstance = classConstructor.apply({ context: context }, args);
extension = extension.apply({
context: context,
factory: instance,
parent: classInstance
}, args);
for (var prop in extension) {
if (classInstance.hasOwnProperty(prop)) {
classInstance[prop] = extension[prop];
}
}
} else {
//replace parent object completely with new object. Same as dijon.
return extension.apply({
context: context,
factory: instance
}, args);
}
} else {
// Create new instance of the class
classInstance = classConstructor.apply({ context: context }, args);
}
// Add getClassName function to class instance prototype (used by Debug)
classInstance.getClassName = function () {
return className;
};
return classInstance;
}
instance = {
extend: extend,
getSingletonInstance: getSingletonInstance,
setSingletonInstance: setSingletonInstance,
getSingletonFactory: getSingletonFactory,
getSingletonFactoryByName: getSingletonFactoryByName,
updateSingletonFactory: updateSingletonFactory,
getClassFactory: getClassFactory,
getClassFactoryByName: getClassFactoryByName,
updateClassFactory: updateClassFactory
};
return instance;
})();
exports["default"] = FactoryMaker;
module.exports = exports["default"];
},{}],48:[function(_dereq_,module,exports){
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
exports.getVersionString = getVersionString;
var VERSION = '2.9.0';
function getVersionString() {
return VERSION;
}
},{}],49:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _EventsBase2 = _dereq_(51);
var _EventsBase3 = _interopRequireDefault(_EventsBase2);
/**
* These are internal events that should not be needed at the player level.
* If you find and event in here that you would like access to from MediaPlayer level
* please add an issue at https://github.com/Dash-Industry-Forum/dash.js/issues/new
* @class
* @ignore
*/
var CoreEvents = (function (_EventsBase) {
_inherits(CoreEvents, _EventsBase);
function CoreEvents() {
_classCallCheck(this, CoreEvents);
_get(Object.getPrototypeOf(CoreEvents.prototype), 'constructor', this).call(this);
this.BUFFERING_COMPLETED = 'bufferingCompleted';
this.BUFFER_CLEARED = 'bufferCleared';
this.BUFFER_LEVEL_UPDATED = 'bufferLevelUpdated';
this.BYTES_APPENDED = 'bytesAppended';
this.BYTES_APPENDED_END_FRAGMENT = 'bytesAppendedEndFragment';
this.CHECK_FOR_EXISTENCE_COMPLETED = 'checkForExistenceCompleted';
this.CURRENT_TRACK_CHANGED = 'currentTrackChanged';
this.DATA_UPDATE_COMPLETED = 'dataUpdateCompleted';
this.DATA_UPDATE_STARTED = 'dataUpdateStarted';
this.INITIALIZATION_LOADED = 'initializationLoaded';
this.INIT_FRAGMENT_LOADED = 'initFragmentLoaded';
this.INIT_REQUESTED = 'initRequested';
this.INTERNAL_MANIFEST_LOADED = 'internalManifestLoaded';
this.LIVE_EDGE_SEARCH_COMPLETED = 'liveEdgeSearchCompleted';
this.LOADING_COMPLETED = 'loadingCompleted';
this.LOADING_PROGRESS = 'loadingProgress';
this.LOADING_DATA_PROGRESS = 'loadingDataProgress';
this.LOADING_ABANDONED = 'loadingAborted';
this.MANIFEST_UPDATED = 'manifestUpdated';
this.MEDIA_FRAGMENT_LOADED = 'mediaFragmentLoaded';
this.QUOTA_EXCEEDED = 'quotaExceeded';
this.REPRESENTATION_UPDATED = 'representationUpdated';
this.SEGMENTS_LOADED = 'segmentsLoaded';
this.SERVICE_LOCATION_BLACKLIST_ADD = 'serviceLocationBlacklistAdd';
this.SERVICE_LOCATION_BLACKLIST_CHANGED = 'serviceLocationBlacklistChanged';
this.SOURCEBUFFER_REMOVE_COMPLETED = 'sourceBufferRemoveCompleted';
this.STREAMS_COMPOSED = 'streamsComposed';
this.STREAM_BUFFERING_COMPLETED = 'streamBufferingCompleted';
this.STREAM_COMPLETED = 'streamCompleted';
this.TEXT_TRACKS_QUEUE_INITIALIZED = 'textTracksQueueInitialized';
this.TIMED_TEXT_REQUESTED = 'timedTextRequested';
this.TIME_SYNCHRONIZATION_COMPLETED = 'timeSynchronizationComplete';
this.URL_RESOLUTION_FAILED = 'urlResolutionFailed';
this.VIDEO_CHUNK_RECEIVED = 'videoChunkReceived';
this.WALLCLOCK_TIME_UPDATED = 'wallclockTimeUpdated';
this.XLINK_ELEMENT_LOADED = 'xlinkElementLoaded';
this.XLINK_READY = 'xlinkReady';
}
return CoreEvents;
})(_EventsBase3['default']);
exports['default'] = CoreEvents;
module.exports = exports['default'];
},{"51":51}],50:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _CoreEvents2 = _dereq_(49);
var _CoreEvents3 = _interopRequireDefault(_CoreEvents2);
var Events = (function (_CoreEvents) {
_inherits(Events, _CoreEvents);
function Events() {
_classCallCheck(this, Events);
_get(Object.getPrototypeOf(Events.prototype), 'constructor', this).apply(this, arguments);
}
return Events;
})(_CoreEvents3['default']);
var events = new Events();
exports['default'] = events;
module.exports = exports['default'];
},{"49":49}],51:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var EventsBase = (function () {
function EventsBase() {
_classCallCheck(this, EventsBase);
}
_createClass(EventsBase, [{
key: 'extend',
value: function extend(events, config) {
if (!events) return;
var override = config ? config.override : false;
var publicOnly = config ? config.publicOnly : false;
for (var evt in events) {
if (!events.hasOwnProperty(evt) || this[evt] && !override) continue;
if (publicOnly && events[evt].indexOf('public_') === -1) continue;
this[evt] = events[evt];
}
}
}]);
return EventsBase;
})();
exports['default'] = EventsBase;
module.exports = exports['default'];
},{}],52:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _streamingConstantsConstants = _dereq_(98);
var _streamingConstantsConstants2 = _interopRequireDefault(_streamingConstantsConstants);
var _streamingVoRepresentationInfo = _dereq_(172);
var _streamingVoRepresentationInfo2 = _interopRequireDefault(_streamingVoRepresentationInfo);
var _streamingVoMediaInfo = _dereq_(170);
var _streamingVoMediaInfo2 = _interopRequireDefault(_streamingVoMediaInfo);
var _streamingVoStreamInfo = _dereq_(173);
var _streamingVoStreamInfo2 = _interopRequireDefault(_streamingVoStreamInfo);
var _streamingVoManifestInfo = _dereq_(169);
var _streamingVoManifestInfo2 = _interopRequireDefault(_streamingVoManifestInfo);
var _voEvent = _dereq_(81);
var _voEvent2 = _interopRequireDefault(_voEvent);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _externalsCea608Parser = _dereq_(2);
var _externalsCea608Parser2 = _interopRequireDefault(_externalsCea608Parser);
function DashAdapter() {
var instance = undefined,
dashManifestModel = undefined,
voPeriods = undefined,
voAdaptations = undefined;
function setup() {
reset();
}
function setConfig(config) {
if (!config) return;
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
}
function getRepresentationForRepresentationInfo(representationInfo, representationController) {
return representationController && representationInfo ? representationController.getRepresentationForQuality(representationInfo.quality) : null;
}
function getAdaptationForMediaInfo(mediaInfo) {
if (!mediaInfo || !mediaInfo.streamInfo || mediaInfo.streamInfo.id === undefined || !voAdaptations[mediaInfo.streamInfo.id]) return null;
return voAdaptations[mediaInfo.streamInfo.id][mediaInfo.index];
}
function getPeriodForStreamInfo(streamInfo, voPeriodsArray) {
var ln = voPeriodsArray.length;
for (var i = 0; i < ln; i++) {
var voPeriod = voPeriodsArray[i];
if (streamInfo.id === voPeriod.id) return voPeriod;
}
return null;
}
function convertRepresentationToRepresentationInfo(voRepresentation) {
var representationInfo = new _streamingVoRepresentationInfo2['default']();
var realAdaptation = voRepresentation.adaptation.period.mpd.manifest.Period_asArray[voRepresentation.adaptation.period.index].AdaptationSet_asArray[voRepresentation.adaptation.index];
var realRepresentation = dashManifestModel.getRepresentationFor(voRepresentation.index, realAdaptation);
representationInfo.id = voRepresentation.id;
representationInfo.quality = voRepresentation.index;
representationInfo.bandwidth = dashManifestModel.getBandwidth(realRepresentation);
representationInfo.DVRWindow = voRepresentation.segmentAvailabilityRange;
representationInfo.fragmentDuration = voRepresentation.segmentDuration || (voRepresentation.segments && voRepresentation.segments.length > 0 ? voRepresentation.segments[0].duration : NaN);
representationInfo.MSETimeOffset = voRepresentation.MSETimeOffset;
representationInfo.useCalculatedLiveEdgeTime = voRepresentation.useCalculatedLiveEdgeTime;
representationInfo.mediaInfo = convertAdaptationToMediaInfo(voRepresentation.adaptation);
return representationInfo;
}
function convertAdaptationToMediaInfo(adaptation) {
var mediaInfo = new _streamingVoMediaInfo2['default']();
var realAdaptation = adaptation.period.mpd.manifest.Period_asArray[adaptation.period.index].AdaptationSet_asArray[adaptation.index];
var viewpoint = undefined;
mediaInfo.id = adaptation.id;
mediaInfo.index = adaptation.index;
mediaInfo.type = adaptation.type;
mediaInfo.streamInfo = convertPeriodToStreamInfo(adaptation.period);
mediaInfo.representationCount = dashManifestModel.getRepresentationCount(realAdaptation);
mediaInfo.lang = dashManifestModel.getLanguageForAdaptation(realAdaptation);
viewpoint = dashManifestModel.getViewpointForAdaptation(realAdaptation);
mediaInfo.viewpoint = viewpoint ? viewpoint.value : undefined;
mediaInfo.accessibility = dashManifestModel.getAccessibilityForAdaptation(realAdaptation).map(function (accessibility) {
var accessibilityValue = accessibility.value;
var accessibilityData = accessibilityValue;
if (accessibility.schemeIdUri && accessibility.schemeIdUri.search('cea-608') >= 0 && typeof _externalsCea608Parser2['default'] !== 'undefined') {
if (accessibilityValue) {
accessibilityData = 'cea-608:' + accessibilityValue;
} else {
accessibilityData = 'cea-608';
}
mediaInfo.embeddedCaptions = true;
}
return accessibilityData;
});
mediaInfo.audioChannelConfiguration = dashManifestModel.getAudioChannelConfigurationForAdaptation(realAdaptation).map(function (audioChannelConfiguration) {
return audioChannelConfiguration.value;
});
mediaInfo.roles = dashManifestModel.getRolesForAdaptation(realAdaptation).map(function (role) {
return role.value;
});
mediaInfo.codec = dashManifestModel.getCodec(realAdaptation);
mediaInfo.mimeType = dashManifestModel.getMimeType(realAdaptation);
mediaInfo.contentProtection = dashManifestModel.getContentProtectionData(realAdaptation);
mediaInfo.bitrateList = dashManifestModel.getBitrateListForAdaptation(realAdaptation);
if (mediaInfo.contentProtection) {
mediaInfo.contentProtection.forEach(function (item) {
item.KID = dashManifestModel.getKID(item);
});
}
mediaInfo.isText = dashManifestModel.getIsTextTrack(mediaInfo.mimeType);
return mediaInfo;
}
function convertVideoInfoToEmbeddedTextInfo(mediaInfo, channel, lang) {
mediaInfo.id = channel; // CC1, CC2, CC3, or CC4
mediaInfo.index = 100 + parseInt(channel.substring(2, 3));
mediaInfo.type = _streamingConstantsConstants2['default'].EMBEDDED_TEXT;
mediaInfo.codec = 'cea-608-in-SEI';
mediaInfo.isText = true;
mediaInfo.isEmbedded = true;
mediaInfo.lang = lang;
mediaInfo.roles = ['caption'];
}
function convertVideoInfoToThumbnailInfo(mediaInfo) {
mediaInfo.type = _streamingConstantsConstants2['default'].IMAGE;
}
function convertPeriodToStreamInfo(period) {
var streamInfo = new _streamingVoStreamInfo2['default']();
var THRESHOLD = 1;
streamInfo.id = period.id;
streamInfo.index = period.index;
streamInfo.start = period.start;
streamInfo.duration = period.duration;
streamInfo.manifestInfo = convertMpdToManifestInfo(period.mpd);
streamInfo.isLast = period.mpd.manifest.Period_asArray.length === 1 || Math.abs(streamInfo.start + streamInfo.duration - streamInfo.manifestInfo.duration) < THRESHOLD;
return streamInfo;
}
function convertMpdToManifestInfo(mpd) {
var manifestInfo = new _streamingVoManifestInfo2['default']();
manifestInfo.DVRWindowSize = mpd.timeShiftBufferDepth;
manifestInfo.loadedTime = mpd.manifest.loadedTime;
manifestInfo.availableFrom = mpd.availabilityStartTime;
manifestInfo.minBufferTime = mpd.manifest.minBufferTime;
manifestInfo.maxFragmentDuration = mpd.maxSegmentDuration;
manifestInfo.duration = dashManifestModel.getDuration(mpd.manifest);
manifestInfo.isDynamic = dashManifestModel.getIsDynamic(mpd.manifest);
return manifestInfo;
}
function getMediaInfoForType(streamInfo, type) {
if (voPeriods.length === 0) {
return null;
}
var manifest = voPeriods[0].mpd.manifest;
var realAdaptation = dashManifestModel.getAdaptationForType(manifest, streamInfo.index, type, streamInfo);
if (!realAdaptation) return null;
var selectedVoPeriod = getPeriodForStreamInfo(streamInfo, voPeriods);
var periodId = selectedVoPeriod.id;
var idx = dashManifestModel.getIndexForAdaptation(realAdaptation, manifest, streamInfo.index);
voAdaptations[periodId] = voAdaptations[periodId] || dashManifestModel.getAdaptationsForPeriod(selectedVoPeriod);
return convertAdaptationToMediaInfo(voAdaptations[periodId][idx]);
}
function getAllMediaInfoForType(streamInfo, type, externalManifest) {
var voLocalPeriods = voPeriods;
var manifest = externalManifest;
var mediaArr = [];
var data = undefined,
media = undefined,
idx = undefined,
i = undefined,
j = undefined,
ln = undefined;
if (manifest) {
checkSetConfigCall();
var mpd = dashManifestModel.getMpd(manifest);
voLocalPeriods = dashManifestModel.getRegularPeriods(mpd);
} else {
if (voPeriods.length > 0) {
manifest = voPeriods[0].mpd.manifest;
} else {
return mediaArr;
}
}
var selectedVoPeriod = getPeriodForStreamInfo(streamInfo, voLocalPeriods);
var periodId = selectedVoPeriod.id;
var adaptationsForType = dashManifestModel.getAdaptationsForType(manifest, streamInfo.index, type !== _streamingConstantsConstants2['default'].EMBEDDED_TEXT ? type : _streamingConstantsConstants2['default'].VIDEO);
if (!adaptationsForType) return mediaArr;
voAdaptations[periodId] = voAdaptations[periodId] || dashManifestModel.getAdaptationsForPeriod(selectedVoPeriod);
for (i = 0, ln = adaptationsForType.length; i < ln; i++) {
data = adaptationsForType[i];
idx = dashManifestModel.getIndexForAdaptation(data, manifest, streamInfo.index);
media = convertAdaptationToMediaInfo(voAdaptations[periodId][idx]);
if (type === _streamingConstantsConstants2['default'].EMBEDDED_TEXT) {
var accessibilityLength = media.accessibility.length;
for (j = 0; j < accessibilityLength; j++) {
if (!media) {
continue;
}
var accessibility = media.accessibility[j];
if (accessibility.indexOf('cea-608:') === 0) {
var value = accessibility.substring(8);
var parts = value.split(';');
if (parts[0].substring(0, 2) === 'CC') {
for (j = 0; j < parts.length; j++) {
if (!media) {
media = convertAdaptationToMediaInfo.call(this, voAdaptations[periodId][idx]);
}
convertVideoInfoToEmbeddedTextInfo(media, parts[j].substring(0, 3), parts[j].substring(4));
mediaArr.push(media);
media = null;
}
} else {
for (j = 0; j < parts.length; j++) {
// Only languages for CC1, CC2, ...
if (!media) {
media = convertAdaptationToMediaInfo.call(this, voAdaptations[periodId][idx]);
}
convertVideoInfoToEmbeddedTextInfo(media, 'CC' + (j + 1), parts[j]);
mediaArr.push(media);
media = null;
}
}
} else if (accessibility.indexOf('cea-608') === 0) {
// Nothing known. We interpret it as CC1=eng
convertVideoInfoToEmbeddedTextInfo(media, _streamingConstantsConstants2['default'].CC1, 'eng');
mediaArr.push(media);
media = null;
}
}
} else if (type === _streamingConstantsConstants2['default'].IMAGE) {
convertVideoInfoToThumbnailInfo(media);
mediaArr.push(media);
media = null;
} else if (media) {
mediaArr.push(media);
}
}
return mediaArr;
}
function checkSetConfigCall() {
if (!dashManifestModel || !dashManifestModel.hasOwnProperty('getMpd') || !dashManifestModel.hasOwnProperty('getRegularPeriods')) {
throw new Error('setConfig function has to be called previously');
}
}
function updatePeriods(newManifest) {
if (!newManifest) return null;
checkSetConfigCall();
var mpd = dashManifestModel.getMpd(newManifest);
voPeriods = dashManifestModel.getRegularPeriods(mpd);
voAdaptations = {};
}
function getStreamsInfo(externalManifest, maxStreamsInfo) {
var streams = [];
var voLocalPeriods = voPeriods;
//if manifest is defined, getStreamsInfo is for an outside manifest, not the current one
if (externalManifest) {
checkSetConfigCall();
var mpd = dashManifestModel.getMpd(externalManifest);
voLocalPeriods = dashManifestModel.getRegularPeriods(mpd);
}
if (!maxStreamsInfo) {
maxStreamsInfo = voLocalPeriods.length;
}
for (var i = 0; i < maxStreamsInfo; i++) {
streams.push(convertPeriodToStreamInfo(voLocalPeriods[i]));
}
return streams;
}
function checkStreamProcessor(streamProcessor) {
if (!streamProcessor || !streamProcessor.hasOwnProperty('getRepresentationController') || !streamProcessor.hasOwnProperty('getIndexHandler') || !streamProcessor.hasOwnProperty('getMediaInfo') || !streamProcessor.hasOwnProperty('getType') || !streamProcessor.hasOwnProperty('getStreamInfo')) {
throw new Error('streamProcessor parameter is missing or malformed!');
}
}
function checkRepresentationController(representationController) {
if (!representationController || !representationController.hasOwnProperty('getRepresentationForQuality') || !representationController.hasOwnProperty('getCurrentRepresentation')) {
throw new Error('representationController parameter is missing or malformed!');
}
}
function checkQuality(quality) {
var isInt = quality !== null && !isNaN(quality) && quality % 1 === 0;
if (!isInt) {
throw new Error('quality argument is not an integer');
}
}
function getInitRequest(streamProcessor, quality) {
var representationController = undefined,
representation = undefined,
indexHandler = undefined;
checkStreamProcessor(streamProcessor);
checkQuality(quality);
representationController = streamProcessor.getRepresentationController();
indexHandler = streamProcessor.getIndexHandler();
representation = representationController ? representationController.getRepresentationForQuality(quality) : null;
return indexHandler ? indexHandler.getInitRequest(representation) : null;
}
function getNextFragmentRequest(streamProcessor, representationInfo) {
var representationController = undefined,
representation = undefined,
indexHandler = undefined;
checkStreamProcessor(streamProcessor);
representationController = streamProcessor.getRepresentationController();
representation = getRepresentationForRepresentationInfo(representationInfo, representationController);
indexHandler = streamProcessor.getIndexHandler();
return indexHandler ? indexHandler.getNextSegmentRequest(representation) : null;
}
function getFragmentRequestForTime(streamProcessor, representationInfo, time, options) {
var representationController = undefined,
representation = undefined,
indexHandler = undefined;
checkStreamProcessor(streamProcessor);
representationController = streamProcessor.getRepresentationController();
representation = getRepresentationForRepresentationInfo(representationInfo, representationController);
indexHandler = streamProcessor.getIndexHandler();
return indexHandler ? indexHandler.getSegmentRequestForTime(representation, time, options) : null;
}
function getIndexHandlerTime(streamProcessor) {
checkStreamProcessor(streamProcessor);
var indexHandler = streamProcessor.getIndexHandler();
return indexHandler ? indexHandler.getCurrentTime() : NaN;
}
function setIndexHandlerTime(streamProcessor, value) {
checkStreamProcessor(streamProcessor);
var indexHandler = streamProcessor.getIndexHandler();
if (indexHandler) {
indexHandler.setCurrentTime(value);
}
}
function resetIndexHandler(streamProcessor) {
checkStreamProcessor(streamProcessor);
var indexHandler = streamProcessor.getIndexHandler();
if (indexHandler) {
indexHandler.resetIndex();
}
}
function updateData(streamProcessor) {
checkStreamProcessor(streamProcessor);
var selectedVoPeriod = getPeriodForStreamInfo(streamProcessor.getStreamInfo(), voPeriods);
var mediaInfo = streamProcessor.getMediaInfo();
var voAdaptation = getAdaptationForMediaInfo(mediaInfo);
var type = streamProcessor.getType();
var id = undefined,
realAdaptation = undefined;
id = mediaInfo ? mediaInfo.id : null;
if (voPeriods.length > 0) {
realAdaptation = id ? dashManifestModel.getAdaptationForId(id, voPeriods[0].mpd.manifest, selectedVoPeriod.index) : dashManifestModel.getAdaptationForIndex(mediaInfo.index, voPeriods[0].mpd.manifest, selectedVoPeriod.index);
streamProcessor.getRepresentationController().updateData(realAdaptation, voAdaptation, type);
}
}
function getRepresentationInfoForQuality(representationController, quality) {
checkRepresentationController(representationController);
checkQuality(quality);
var voRepresentation = representationController.getRepresentationForQuality(quality);
return voRepresentation ? convertRepresentationToRepresentationInfo(voRepresentation) : null;
}
function getCurrentRepresentationInfo(representationController) {
checkRepresentationController(representationController);
var voRepresentation = representationController.getCurrentRepresentation();
return voRepresentation ? convertRepresentationToRepresentationInfo(voRepresentation) : null;
}
function getEvent(eventBox, eventStreams, startTime) {
if (!eventBox || !eventStreams) {
return null;
}
var event = new _voEvent2['default']();
var schemeIdUri = eventBox.scheme_id_uri;
var value = eventBox.value;
var timescale = eventBox.timescale;
var presentationTimeDelta = eventBox.presentation_time_delta;
var duration = eventBox.event_duration;
var id = eventBox.id;
var messageData = eventBox.message_data;
var presentationTime = startTime * timescale + presentationTimeDelta;
if (!eventStreams[schemeIdUri]) return null;
event.eventStream = eventStreams[schemeIdUri];
event.eventStream.value = value;
event.eventStream.timescale = timescale;
event.duration = duration;
event.id = id;
event.presentationTime = presentationTime;
event.messageData = messageData;
event.presentationTimeDelta = presentationTimeDelta;
return event;
}
function getEventsFor(info, streamProcessor) {
var events = [];
if (voPeriods.length === 0) {
return events;
}
var manifest = voPeriods[0].mpd.manifest;
if (info instanceof _streamingVoStreamInfo2['default']) {
events = dashManifestModel.getEventsForPeriod(getPeriodForStreamInfo(info, voPeriods));
} else if (info instanceof _streamingVoMediaInfo2['default']) {
events = dashManifestModel.getEventStreamForAdaptationSet(manifest, getAdaptationForMediaInfo(info));
} else if (info instanceof _streamingVoRepresentationInfo2['default']) {
events = dashManifestModel.getEventStreamForRepresentation(manifest, getRepresentationForRepresentationInfo(info, streamProcessor.getRepresentationController()));
}
return events;
}
function reset() {
voPeriods = [];
voAdaptations = {};
}
instance = {
convertDataToRepresentationInfo: convertRepresentationToRepresentationInfo,
getDataForMedia: getAdaptationForMediaInfo,
getStreamsInfo: getStreamsInfo,
getMediaInfoForType: getMediaInfoForType,
getAllMediaInfoForType: getAllMediaInfoForType,
getCurrentRepresentationInfo: getCurrentRepresentationInfo,
getRepresentationInfoForQuality: getRepresentationInfoForQuality,
updateData: updateData,
getInitRequest: getInitRequest,
getNextFragmentRequest: getNextFragmentRequest,
getFragmentRequestForTime: getFragmentRequestForTime,
getIndexHandlerTime: getIndexHandlerTime,
setIndexHandlerTime: setIndexHandlerTime,
getEventsFor: getEventsFor,
getEvent: getEvent,
setConfig: setConfig,
updatePeriods: updatePeriods,
reset: reset,
resetIndexHandler: resetIndexHandler
};
setup();
return instance;
}
DashAdapter.__dashjs_factory_name = 'DashAdapter';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(DashAdapter);
module.exports = exports['default'];
},{"169":169,"170":170,"172":172,"173":173,"2":2,"47":47,"81":81,"98":98}],53:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _streamingConstantsConstants = _dereq_(98);
var _streamingConstantsConstants2 = _interopRequireDefault(_streamingConstantsConstants);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var _streamingVoFragmentRequest = _dereq_(165);
var _streamingVoFragmentRequest2 = _interopRequireDefault(_streamingVoFragmentRequest);
var _streamingVoDashJSError = _dereq_(163);
var _streamingVoDashJSError2 = _interopRequireDefault(_streamingVoDashJSError);
var _streamingVoMetricsHTTPRequest = _dereq_(183);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _streamingUtilsURLUtils = _dereq_(158);
var _streamingUtilsURLUtils2 = _interopRequireDefault(_streamingUtilsURLUtils);
var _voRepresentation = _dereq_(85);
var _voRepresentation2 = _interopRequireDefault(_voRepresentation);
var _utilsSegmentsUtils = _dereq_(75);
var _utilsSegmentsGetter = _dereq_(74);
var _utilsSegmentsGetter2 = _interopRequireDefault(_utilsSegmentsGetter);
var _SegmentBaseLoader = _dereq_(55);
var _SegmentBaseLoader2 = _interopRequireDefault(_SegmentBaseLoader);
var _WebmSegmentBaseLoader = _dereq_(56);
var _WebmSegmentBaseLoader2 = _interopRequireDefault(_WebmSegmentBaseLoader);
var SEGMENTS_UNAVAILABLE_ERROR_CODE = 1;
function DashHandler(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var urlUtils = (0, _streamingUtilsURLUtils2['default'])(context).getInstance();
var segmentBaseLoader = undefined;
var timelineConverter = config.timelineConverter;
var dashMetrics = config.dashMetrics;
var metricsModel = config.metricsModel;
var mediaPlayerModel = config.mediaPlayerModel;
var errHandler = config.errHandler;
var baseURLController = config.baseURLController;
var instance = undefined,
logger = undefined,
index = undefined,
requestedTime = undefined,
currentTime = undefined,
earliestTime = undefined,
streamProcessor = undefined,
segmentsGetter = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
segmentBaseLoader = isWebM(config.mimeType) ? (0, _WebmSegmentBaseLoader2['default'])(context).getInstance() : (0, _SegmentBaseLoader2['default'])(context).getInstance();
segmentBaseLoader.setConfig({
baseURLController: baseURLController,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
errHandler: errHandler
});
eventBus.on(_coreEventsEvents2['default'].INITIALIZATION_LOADED, onInitializationLoaded, instance);
eventBus.on(_coreEventsEvents2['default'].SEGMENTS_LOADED, onSegmentsLoaded, instance);
}
function isWebM(mimeType) {
var type = mimeType.split('/')[1];
return 'webm' === type.toLowerCase();
}
function initialize(StreamProcessor) {
streamProcessor = StreamProcessor;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
segmentBaseLoader.initialize();
segmentsGetter = (0, _utilsSegmentsGetter2['default'])(context).create(config, isDynamic);
}
function getStreamProcessor() {
return streamProcessor;
}
function setCurrentTime(value) {
currentTime = value;
}
function getCurrentTime() {
return currentTime;
}
function getEarliestTime() {
return earliestTime;
}
function resetIndex() {
index = -1;
}
function resetInitialSettings() {
resetIndex();
currentTime = 0;
earliestTime = NaN;
requestedTime = null;
streamProcessor = null;
segmentsGetter = null;
}
function reset() {
resetInitialSettings();
eventBus.off(_coreEventsEvents2['default'].INITIALIZATION_LOADED, onInitializationLoaded, instance);
eventBus.off(_coreEventsEvents2['default'].SEGMENTS_LOADED, onSegmentsLoaded, instance);
}
function setRequestUrl(request, destination, representation) {
var baseURL = baseURLController.resolve(representation.path);
var url = undefined,
serviceLocation = undefined;
if (!baseURL || destination === baseURL.url || !urlUtils.isRelative(destination)) {
url = destination;
} else {
url = baseURL.url;
serviceLocation = baseURL.serviceLocation;
if (destination) {
url = urlUtils.resolve(destination, url);
}
}
if (urlUtils.isRelative(url)) {
return false;
}
request.url = url;
request.serviceLocation = serviceLocation;
return true;
}
function generateInitRequest(representation, mediaType) {
var request = new _streamingVoFragmentRequest2['default']();
var period = representation.adaptation.period;
var presentationStartTime = period.start;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
request.mediaType = mediaType;
request.type = _streamingVoMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE;
request.range = representation.range;
request.availabilityStartTime = timelineConverter.calcAvailabilityStartTimeFromPresentationTime(presentationStartTime, period.mpd, isDynamic);
request.availabilityEndTime = timelineConverter.calcAvailabilityEndTimeFromPresentationTime(presentationStartTime + period.duration, period.mpd, isDynamic);
request.quality = representation.index;
request.mediaInfo = streamProcessor ? streamProcessor.getMediaInfo() : null;
request.representationId = representation.id;
if (setRequestUrl(request, representation.initialization, representation)) {
return request;
}
}
function getInitRequest(representation) {
if (!representation) return null;
var type = streamProcessor ? streamProcessor.getType() : null;
var request = generateInitRequest(representation, type);
return request;
}
function isMediaFinished(representation) {
var isFinished = false;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
if (!isDynamic && index === representation.availableSegmentsNumber) {
isFinished = true;
} else {
var seg = (0, _utilsSegmentsUtils.getSegmentByIndex)(index, representation);
if (seg) {
var time = parseFloat((seg.presentationStartTime - representation.adaptation.period.start).toFixed(5));
var duration = representation.adaptation.period.duration;
logger.debug(representation.segmentInfoType + ': ' + time + ' / ' + duration);
isFinished = representation.segmentInfoType === _constantsDashConstants2['default'].SEGMENT_TIMELINE && isDynamic ? false : time >= duration;
} else {
logger.debug('isMediaFinished - no segment found');
}
}
return isFinished;
}
function updateSegments(voRepresentation) {
segmentsGetter.getSegments(voRepresentation, requestedTime, index, onSegmentListUpdated);
}
function onSegmentListUpdated(voRepresentation, segments) {
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
voRepresentation.segments = segments;
if (segments && segments.length > 0) {
earliestTime = isNaN(earliestTime) ? segments[0].presentationStartTime : Math.min(segments[0].presentationStartTime, earliestTime);
if (isDynamic) {
var lastSegment = segments[segments.length - 1];
var liveEdge = lastSegment.presentationStartTime;
var metrics = metricsModel.getMetricsFor(_streamingConstantsConstants2['default'].STREAM);
// the last segment is the Expected, not calculated, live edge.
timelineConverter.setExpectedLiveEdge(liveEdge);
metricsModel.updateManifestUpdateInfo(dashMetrics.getCurrentManifestUpdate(metrics), { presentationStartTime: liveEdge });
}
}
}
function updateSegmentList(voRepresentation) {
if (!voRepresentation) {
throw new Error('no representation');
}
voRepresentation.segments = null;
updateSegments(voRepresentation);
}
function updateRepresentation(voRepresentation, keepIdx) {
var hasInitialization = _voRepresentation2['default'].hasInitialization(voRepresentation);
var hasSegments = _voRepresentation2['default'].hasSegments(voRepresentation);
var type = streamProcessor ? streamProcessor.getType() : null;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
var error = undefined;
if (!voRepresentation.segmentDuration && !voRepresentation.segments) {
updateSegmentList(voRepresentation);
}
voRepresentation.segmentAvailabilityRange = timelineConverter.calcSegmentAvailabilityRange(voRepresentation, isDynamic);
if (voRepresentation.segmentAvailabilityRange.end < voRepresentation.segmentAvailabilityRange.start && !voRepresentation.useCalculatedLiveEdgeTime) {
error = new _streamingVoDashJSError2['default'](SEGMENTS_UNAVAILABLE_ERROR_CODE, 'no segments are available yet', { availabilityDelay: voRepresentation.segmentAvailabilityRange.start - voRepresentation.segmentAvailabilityRange.end });
eventBus.trigger(_coreEventsEvents2['default'].REPRESENTATION_UPDATED, { sender: this, representation: voRepresentation, error: error });
return;
}
if (!keepIdx) {
resetIndex();
}
if (voRepresentation.segmentDuration) {
updateSegmentList(voRepresentation);
}
if (!hasInitialization) {
segmentBaseLoader.loadInitialization(voRepresentation);
}
if (!hasSegments) {
segmentBaseLoader.loadSegments(voRepresentation, type, voRepresentation.indexRange);
}
if (hasInitialization && hasSegments) {
eventBus.trigger(_coreEventsEvents2['default'].REPRESENTATION_UPDATED, { sender: this, representation: voRepresentation });
}
}
function getIndexForSegments(time, representation, timeThreshold) {
var segments = representation.segments;
var ln = segments ? segments.length : null;
var idx = -1;
var epsilon = undefined,
frag = undefined,
ft = undefined,
fd = undefined,
i = undefined;
if (segments && ln > 0) {
// In case timeThreshold is not provided, let's use the default value set in MediaPlayerModel
timeThreshold = timeThreshold === undefined || timeThreshold === null ? mediaPlayerModel.getSegmentOverlapToleranceTime() : timeThreshold;
for (i = 0; i < ln; i++) {
frag = segments[i];
ft = frag.presentationStartTime;
fd = frag.duration;
// In case timeThreshold is null, set epsilon to half the fragment duration
epsilon = timeThreshold === undefined || timeThreshold === null ? fd / 2 : timeThreshold;
if (time + epsilon >= ft && time - epsilon < ft + fd) {
idx = frag.availabilityIdx;
break;
}
}
}
return idx;
}
function getRequestForSegment(segment) {
if (segment === null || segment === undefined) {
return null;
}
var request = new _streamingVoFragmentRequest2['default']();
var representation = segment.representation;
var bandwidth = representation.adaptation.period.mpd.manifest.Period_asArray[representation.adaptation.period.index].AdaptationSet_asArray[representation.adaptation.index].Representation_asArray[representation.index].bandwidth;
var url = segment.media;
var type = streamProcessor ? streamProcessor.getType() : null;
url = (0, _utilsSegmentsUtils.replaceTokenForTemplate)(url, 'Number', segment.replacementNumber);
url = (0, _utilsSegmentsUtils.replaceTokenForTemplate)(url, 'Time', segment.replacementTime);
url = (0, _utilsSegmentsUtils.replaceTokenForTemplate)(url, 'Bandwidth', bandwidth);
url = (0, _utilsSegmentsUtils.replaceIDForTemplate)(url, representation.id);
url = (0, _utilsSegmentsUtils.unescapeDollarsInTemplate)(url);
request.mediaType = type;
request.type = _streamingVoMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE;
request.range = segment.mediaRange;
request.startTime = segment.presentationStartTime;
request.duration = segment.duration;
request.timescale = representation.timescale;
request.availabilityStartTime = segment.availabilityStartTime;
request.availabilityEndTime = segment.availabilityEndTime;
request.wallStartTime = segment.wallStartTime;
request.quality = representation.index;
request.index = segment.availabilityIdx;
request.mediaInfo = streamProcessor.getMediaInfo();
request.adaptationIndex = representation.adaptation.index;
request.representationId = representation.id;
if (setRequestUrl(request, url, representation)) {
return request;
}
}
function getSegmentRequestForTime(representation, time, options) {
var request = undefined,
segment = undefined,
finished = undefined;
if (!representation) {
return null;
}
var type = streamProcessor ? streamProcessor.getType() : null;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
var idx = index;
var keepIdx = options ? options.keepIdx : false;
var timeThreshold = options ? options.timeThreshold : null;
var ignoreIsFinished = options && options.ignoreIsFinished ? true : false;
if (requestedTime !== time) {
// When playing at live edge with 0 delay we may loop back with same time and index until it is available. Reduces verboseness of logs.
requestedTime = time;
logger.debug('Getting the request for ' + type + ' time : ' + time);
}
updateSegments(representation);
index = getIndexForSegments(time, representation, timeThreshold);
//Index may be -1 if getSegments needs to update again. So after getSegments is called and updated then try to get index again.
if (index < 0) {
updateSegments(representation);
index = getIndexForSegments(time, representation, timeThreshold);
}
if (index > 0) {
logger.debug('Index for ' + type + ' time ' + time + ' is ' + index);
}
finished = !ignoreIsFinished ? isMediaFinished(representation) : false;
if (finished) {
request = new _streamingVoFragmentRequest2['default']();
request.action = _streamingVoFragmentRequest2['default'].ACTION_COMPLETE;
request.index = index;
request.mediaType = type;
request.mediaInfo = streamProcessor.getMediaInfo();
logger.debug('Signal complete in getSegmentRequestForTime -', type);
} else {
segment = (0, _utilsSegmentsUtils.getSegmentByIndex)(index, representation);
request = getRequestForSegment(segment);
}
if (keepIdx && idx >= 0) {
index = representation.segmentInfoType === _constantsDashConstants2['default'].SEGMENT_TIMELINE && isDynamic ? index : idx;
}
return request;
}
function getNextSegmentRequest(representation) {
var request = undefined,
segment = undefined,
finished = undefined;
if (!representation || index === -1) {
return null;
}
var type = streamProcessor ? streamProcessor.getType() : null;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
requestedTime = null;
index++;
logger.debug('Getting the next request at index: ' + index + ', type: ' + type);
// check that there is a segment in this index. If none, update segments and wait for next time loop is called
var seg = (0, _utilsSegmentsUtils.getSegmentByIndex)(index, representation);
if (!seg && isDynamic) {
logger.debug('No segment found at index: ' + index + '. Wait for next loop');
updateSegments(representation);
index--;
return null;
}
finished = isMediaFinished(representation);
if (finished) {
request = new _streamingVoFragmentRequest2['default']();
request.action = _streamingVoFragmentRequest2['default'].ACTION_COMPLETE;
request.index = index;
request.mediaType = type;
request.mediaInfo = streamProcessor.getMediaInfo();
logger.debug('Signal complete -', type);
} else {
updateSegments(representation);
segment = (0, _utilsSegmentsUtils.getSegmentByIndex)(index, representation);
request = getRequestForSegment(segment);
if (!segment && isDynamic) {
/*
Sometimes when playing dynamic streams with 0 fragment delay at live edge we ask for
an index before it is available so we decrement index back and send null request
which triggers the validate loop to rerun and the next time the segment should be
available.
*/
index--;
}
}
return request;
}
function onInitializationLoaded(e) {
var representation = e.representation;
if (!representation.segments) return;
eventBus.trigger(_coreEventsEvents2['default'].REPRESENTATION_UPDATED, { sender: this, representation: representation });
}
function onSegmentsLoaded(e) {
var type = streamProcessor ? streamProcessor.getType() : null;
var isDynamic = streamProcessor ? streamProcessor.getStreamInfo().manifestInfo.isDynamic : null;
if (e.error || type !== e.mediaType) return;
var fragments = e.segments;
var representation = e.representation;
var segments = [];
var count = 0;
var i = undefined,
len = undefined,
s = undefined,
seg = undefined;
for (i = 0, len = fragments.length; i < len; i++) {
s = fragments[i];
seg = (0, _utilsSegmentsUtils.getTimeBasedSegment)(timelineConverter, isDynamic, representation, s.startTime, s.duration, s.timescale, s.media, s.mediaRange, count);
segments.push(seg);
seg = null;
count++;
}
representation.segmentAvailabilityRange = { start: segments[0].presentationStartTime, end: segments[len - 1].presentationStartTime };
representation.availableSegmentsNumber = len;
onSegmentListUpdated(representation, segments);
if (!_voRepresentation2['default'].hasInitialization(representation)) return;
eventBus.trigger(_coreEventsEvents2['default'].REPRESENTATION_UPDATED, { sender: this, representation: representation });
}
instance = {
initialize: initialize,
getStreamProcessor: getStreamProcessor,
getInitRequest: getInitRequest,
getSegmentRequestForTime: getSegmentRequestForTime,
getNextSegmentRequest: getNextSegmentRequest,
updateRepresentation: updateRepresentation,
updateSegmentList: updateSegmentList,
setCurrentTime: setCurrentTime,
getCurrentTime: getCurrentTime,
getEarliestTime: getEarliestTime,
reset: reset,
resetIndex: resetIndex
};
setup();
return instance;
}
DashHandler.__dashjs_factory_name = 'DashHandler';
var factory = _coreFactoryMaker2['default'].getClassFactory(DashHandler);
factory.SEGMENTS_UNAVAILABLE_ERROR_CODE = SEGMENTS_UNAVAILABLE_ERROR_CODE;
_coreFactoryMaker2['default'].updateClassFactory(DashHandler.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"158":158,"163":163,"165":165,"183":183,"45":45,"46":46,"47":47,"50":50,"55":55,"56":56,"57":57,"74":74,"75":75,"85":85,"98":98}],54:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _streamingVoMetricsHTTPRequest = _dereq_(183);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _streamingConstantsMetricsConstants = _dereq_(99);
var _streamingConstantsMetricsConstants2 = _interopRequireDefault(_streamingConstantsMetricsConstants);
var _utilsRound10 = _dereq_(73);
var _utilsRound102 = _interopRequireDefault(_utilsRound10);
/**
* @module DashMetrics
* @param {object} config configuration passed to DashMetrics
*/
function DashMetrics(config) {
config = config || {};
var instance = undefined;
var dashManifestModel = config.dashManifestModel;
var manifestModel = config.manifestModel;
function getBandwidthForRepresentation(representationId, periodId) {
var representation = undefined;
var manifest = manifestModel.getValue();
var period = manifest.Period_asArray[periodId];
representation = findRepresentation(period, representationId);
if (representation === null) {
return null;
}
return representation.bandwidth;
}
/**
*
* @param {string} representationId
* @param {number} periodIdx
* @returns {*}
*/
function getIndexForRepresentation(representationId, periodIdx) {
var representationIndex = undefined;
var manifest = manifestModel.getValue();
var period = manifest.Period_asArray[periodIdx];
representationIndex = findRepresentationIndex(period, representationId);
return representationIndex;
}
/**
* This method returns the current max index based on what is defined in the MPD.
*
* @param {string} bufferType - String 'audio' or 'video',
* @param {number} periodIdx - Make sure this is the period index not id
* @return {number}
* @memberof module:DashMetrics
* @instance
*/
function getMaxIndexForBufferType(bufferType, periodIdx) {
var maxIndex = undefined;
var manifest = manifestModel.getValue();
if (!manifest) {
return -1;
}
var period = manifest.Period_asArray[periodIdx];
maxIndex = findMaxBufferIndex(period, bufferType);
return maxIndex;
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentRepresentationSwitch(metrics) {
return getCurrent(metrics, _streamingConstantsMetricsConstants2['default'].TRACK_SWITCH);
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getLatestBufferLevelVO(metrics) {
return getCurrent(metrics, _streamingConstantsMetricsConstants2['default'].BUFFER_LEVEL);
}
/**
* @param {MetricsList} metrics
* @returns {number}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentBufferLevel(metrics) {
var vo = getLatestBufferLevelVO(metrics);
if (vo) {
return _utilsRound102['default'].round10(vo.level / 1000, -3);
}
return 0;
}
/**
* @param {MetricsList} metrics
* @returns {null|*|vo}
* @memberof module:DashMetrics
* @instance
*/
function getRequestsQueue(metrics) {
return metrics ? metrics.RequestsQueue : null;
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentHttpRequest(metrics) {
if (!metrics) {
return null;
}
var httpList = metrics.HttpList;
var currentHttpList = null;
var httpListLength = undefined,
httpListLastIndex = undefined;
if (!httpList || httpList.length <= 0) {
return null;
}
httpListLength = httpList.length;
httpListLastIndex = httpListLength - 1;
while (httpListLastIndex >= 0) {
if (httpList[httpListLastIndex].responsecode) {
currentHttpList = httpList[httpListLastIndex];
break;
}
httpListLastIndex--;
}
return currentHttpList;
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getHttpRequests(metrics) {
if (!metrics) {
return [];
}
return !!metrics.HttpList ? metrics.HttpList : [];
}
/**
* @param {MetricsList} metrics
* @param {string} metricName
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrent(metrics, metricName) {
if (!metrics) {
return null;
}
var list = metrics[metricName];
if (!list) {
return null;
}
var length = list.length;
if (length <= 0) {
return null;
}
return list[length - 1];
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentDroppedFrames(metrics) {
return getCurrent(metrics, _streamingConstantsMetricsConstants2['default'].DROPPED_FRAMES);
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentSchedulingInfo(metrics) {
return getCurrent(metrics, _streamingConstantsMetricsConstants2['default'].SCHEDULING_INFO);
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentManifestUpdate(metrics) {
return getCurrent(metrics, _streamingConstantsMetricsConstants2['default'].MANIFEST_UPDATE);
}
/**
* @param {MetricsList} metrics
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getCurrentDVRInfo(metrics) {
return getCurrent(metrics, _streamingConstantsMetricsConstants2['default'].DVR_INFO);
}
/**
* @param {MetricsList} metrics
* @param {string} id
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getLatestMPDRequestHeaderValueByID(metrics, id) {
var headers = {};
var httpRequestList = undefined,
httpRequest = undefined,
i = undefined;
httpRequestList = getHttpRequests(metrics);
for (i = httpRequestList.length - 1; i >= 0; i--) {
httpRequest = httpRequestList[i];
if (httpRequest.type === _streamingVoMetricsHTTPRequest.HTTPRequest.MPD_TYPE) {
headers = parseResponseHeaders(httpRequest._responseHeaders);
break;
}
}
return headers[id] === undefined ? null : headers[id];
}
/**
* @param {MetricsList} metrics
* @param {string} id
* @returns {*}
* @memberof module:DashMetrics
* @instance
*/
function getLatestFragmentRequestHeaderValueByID(metrics, id) {
var headers = {};
var httpRequest = getCurrentHttpRequest(metrics);
if (httpRequest) {
headers = parseResponseHeaders(httpRequest._responseHeaders);
}
return headers[id] === undefined ? null : headers[id];
}
function parseResponseHeaders(headerStr) {
var headers = {};
if (!headerStr) {
return headers;
}
// Trim headerStr to fix a MS Edge bug with xhr.getAllResponseHeaders method
// which send a string starting with a "\n" character
var headerPairs = headerStr.trim().split('\r\n');
for (var i = 0, ilen = headerPairs.length; i < ilen; i++) {
var headerPair = headerPairs[i];
var index = headerPair.indexOf(': ');
if (index > 0) {
headers[headerPair.substring(0, index)] = headerPair.substring(index + 2);
}
}
return headers;
}
function findRepresentationIndex(period, representationId) {
var index = findRepresentation(period, representationId, true);
if (index !== null) {
return index;
}
return -1;
}
function findRepresentation(period, representationId, returnIndex) {
var adaptationSet = undefined,
adaptationSetArray = undefined,
representation = undefined,
representationArray = undefined,
adaptationSetArrayIndex = undefined,
representationArrayIndex = undefined;
if (period) {
adaptationSetArray = period.AdaptationSet_asArray;
for (adaptationSetArrayIndex = 0; adaptationSetArrayIndex < adaptationSetArray.length; adaptationSetArrayIndex = adaptationSetArrayIndex + 1) {
adaptationSet = adaptationSetArray[adaptationSetArrayIndex];
representationArray = adaptationSet.Representation_asArray;
for (representationArrayIndex = 0; representationArrayIndex < representationArray.length; representationArrayIndex = representationArrayIndex + 1) {
representation = representationArray[representationArrayIndex];
if (representationId === representation.id) {
if (returnIndex) {
return representationArrayIndex;
} else {
return representation;
}
}
}
}
}
return null;
}
function adaptationIsType(adaptation, bufferType) {
return dashManifestModel.getIsTypeOf(adaptation, bufferType);
}
function findMaxBufferIndex(period, bufferType) {
var adaptationSet = undefined,
adaptationSetArray = undefined,
representationArray = undefined,
adaptationSetArrayIndex = undefined;
if (!period || !bufferType) return -1;
adaptationSetArray = period.AdaptationSet_asArray;
for (adaptationSetArrayIndex = 0; adaptationSetArrayIndex < adaptationSetArray.length; adaptationSetArrayIndex = adaptationSetArrayIndex + 1) {
adaptationSet = adaptationSetArray[adaptationSetArrayIndex];
representationArray = adaptationSet.Representation_asArray;
if (adaptationIsType(adaptationSet, bufferType)) {
return representationArray.length;
}
}
return -1;
}
instance = {
getBandwidthForRepresentation: getBandwidthForRepresentation,
getIndexForRepresentation: getIndexForRepresentation,
getMaxIndexForBufferType: getMaxIndexForBufferType,
getCurrentRepresentationSwitch: getCurrentRepresentationSwitch,
getLatestBufferLevelVO: getLatestBufferLevelVO,
getCurrentBufferLevel: getCurrentBufferLevel,
getCurrentHttpRequest: getCurrentHttpRequest,
getHttpRequests: getHttpRequests,
getCurrentDroppedFrames: getCurrentDroppedFrames,
getCurrentSchedulingInfo: getCurrentSchedulingInfo,
getCurrentDVRInfo: getCurrentDVRInfo,
getCurrentManifestUpdate: getCurrentManifestUpdate,
getLatestFragmentRequestHeaderValueByID: getLatestFragmentRequestHeaderValueByID,
getLatestMPDRequestHeaderValueByID: getLatestMPDRequestHeaderValueByID,
getRequestsQueue: getRequestsQueue
};
return instance;
}
DashMetrics.__dashjs_factory_name = 'DashMetrics';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(DashMetrics);
module.exports = exports['default'];
},{"183":183,"47":47,"73":73,"99":99}],55:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _streamingUtilsRequestModifier = _dereq_(156);
var _streamingUtilsRequestModifier2 = _interopRequireDefault(_streamingUtilsRequestModifier);
var _voSegment = _dereq_(86);
var _voSegment2 = _interopRequireDefault(_voSegment);
var _streamingVoDashJSError = _dereq_(163);
var _streamingVoDashJSError2 = _interopRequireDefault(_streamingVoDashJSError);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _streamingUtilsBoxParser = _dereq_(146);
var _streamingUtilsBoxParser2 = _interopRequireDefault(_streamingUtilsBoxParser);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _streamingVoMetricsHTTPRequest = _dereq_(183);
var _streamingVoFragmentRequest = _dereq_(165);
var _streamingVoFragmentRequest2 = _interopRequireDefault(_streamingVoFragmentRequest);
var _streamingNetHTTPLoader = _dereq_(121);
var _streamingNetHTTPLoader2 = _interopRequireDefault(_streamingNetHTTPLoader);
function SegmentBaseLoader() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
errHandler = undefined,
boxParser = undefined,
requestModifier = undefined,
metricsModel = undefined,
mediaPlayerModel = undefined,
httpLoader = undefined,
baseURLController = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function initialize() {
boxParser = (0, _streamingUtilsBoxParser2['default'])(context).getInstance();
requestModifier = (0, _streamingUtilsRequestModifier2['default'])(context).getInstance();
httpLoader = (0, _streamingNetHTTPLoader2['default'])(context).create({
errHandler: errHandler,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
requestModifier: requestModifier
});
}
function setConfig(config) {
if (config.baseURLController) {
baseURLController = config.baseURLController;
}
if (config.metricsModel) {
metricsModel = config.metricsModel;
}
if (config.mediaPlayerModel) {
mediaPlayerModel = config.mediaPlayerModel;
}
if (config.errHandler) {
errHandler = config.errHandler;
}
}
function checkSetConfigCall() {
if (!baseURLController || !baseURLController.hasOwnProperty('resolve')) {
throw new Error('setConfig function has to be called previously');
}
}
function loadInitialization(representation, loadingInfo) {
checkSetConfigCall();
var initRange = null;
var isoFile = null;
var baseUrl = baseURLController.resolve(representation.path);
var info = loadingInfo || {
init: true,
url: baseUrl ? baseUrl.url : undefined,
range: {
start: 0,
end: 1500
},
searching: false,
bytesLoaded: 0,
bytesToLoad: 1500
};
logger.debug('Start searching for initialization.');
var request = getFragmentRequest(info);
var onload = function onload(response) {
info.bytesLoaded = info.range.end;
isoFile = boxParser.parse(response);
initRange = findInitRange(isoFile);
if (initRange) {
representation.range = initRange;
// note that we don't explicitly set rep.initialization as this
// will be computed when all BaseURLs are resolved later
eventBus.trigger(_coreEventsEvents2['default'].INITIALIZATION_LOADED, { representation: representation });
} else {
info.range.end = info.bytesLoaded + info.bytesToLoad;
loadInitialization(representation, info);
}
};
var onerror = function onerror() {
eventBus.trigger(_coreEventsEvents2['default'].INITIALIZATION_LOADED, { representation: representation });
};
httpLoader.load({ request: request, success: onload, error: onerror });
logger.debug('Perform init search: ' + info.url);
}
function loadSegments(representation, type, range, loadingInfo, callback) {
checkSetConfigCall();
if (range && (range.start === undefined || range.end === undefined)) {
var parts = range ? range.toString().split('-') : null;
range = parts ? { start: parseFloat(parts[0]), end: parseFloat(parts[1]) } : null;
}
callback = !callback ? onLoaded : callback;
var isoFile = null;
var sidx = null;
var hasRange = !!range;
var baseUrl = baseURLController.resolve(representation.path);
var info = {
init: false,
url: baseUrl ? baseUrl.url : undefined,
range: hasRange ? range : { start: 0, end: 1500 },
searching: !hasRange,
bytesLoaded: loadingInfo ? loadingInfo.bytesLoaded : 0,
bytesToLoad: 1500
};
var request = getFragmentRequest(info);
var onload = function onload(response) {
var extraBytes = info.bytesToLoad;
var loadedLength = response.byteLength;
info.bytesLoaded = info.range.end - info.range.start;
isoFile = boxParser.parse(response);
sidx = isoFile.getBox('sidx');
if (!sidx || !sidx.isComplete) {
if (sidx) {
info.range.start = sidx.offset || info.range.start;
info.range.end = info.range.start + (sidx.size || extraBytes);
} else if (loadedLength < info.bytesLoaded) {
// if we have reached a search limit or if we have reached the end of the file we have to stop trying to find sidx
callback(null, representation, type);
return;
} else {
var lastBox = isoFile.getLastBox();
if (lastBox && lastBox.size) {
info.range.start = lastBox.offset + lastBox.size;
info.range.end = info.range.start + extraBytes;
} else {
info.range.end += extraBytes;
}
}
loadSegments(representation, type, info.range, info, callback);
} else {
var ref = sidx.references;
var loadMultiSidx = undefined,
segments = undefined;
if (ref !== null && ref !== undefined && ref.length > 0) {
loadMultiSidx = ref[0].reference_type === 1;
}
if (loadMultiSidx) {
(function () {
logger.debug('Initiate multiple SIDX load.');
info.range.end = info.range.start + sidx.size;
var j = undefined,
len = undefined,
ss = undefined,
se = undefined,
r = undefined;
var segs = [];
var count = 0;
var offset = (sidx.offset || info.range.start) + sidx.size;
var tmpCallback = function tmpCallback(result) {
if (result) {
segs = segs.concat(result);
count++;
if (count >= len) {
callback(segs, representation, type);
}
} else {
callback(null, representation, type);
}
};
for (j = 0, len = ref.length; j < len; j++) {
ss = offset;
se = offset + ref[j].referenced_size - 1;
offset = offset + ref[j].referenced_size;
r = { start: ss, end: se };
loadSegments(representation, null, r, info, tmpCallback);
}
})();
} else {
logger.debug('Parsing segments from SIDX.');
segments = getSegmentsForSidx(sidx, info);
callback(segments, representation, type);
}
}
};
var onerror = function onerror() {
callback(null, representation, type);
};
httpLoader.load({ request: request, success: onload, error: onerror });
logger.debug('Perform SIDX load: ' + info.url);
}
function reset() {
httpLoader.abort();
httpLoader = null;
errHandler = null;
boxParser = null;
requestModifier = null;
}
function getSegmentsForSidx(sidx, info) {
var refs = sidx.references;
var len = refs.length;
var timescale = sidx.timescale;
var time = sidx.earliest_presentation_time;
var start = info.range.start + sidx.offset + sidx.first_offset + sidx.size;
var segments = [];
var segment = undefined,
end = undefined,
duration = undefined,
size = undefined;
for (var i = 0; i < len; i++) {
duration = refs[i].subsegment_duration;
size = refs[i].referenced_size;
segment = new _voSegment2['default']();
// note that we don't explicitly set segment.media as this will be
// computed when all BaseURLs are resolved later
segment.duration = duration;
segment.startTime = time;
segment.timescale = timescale;
end = start + size - 1;
segment.mediaRange = start + '-' + end;
segments.push(segment);
time += duration;
start += size;
}
return segments;
}
function findInitRange(isoFile) {
var ftyp = isoFile.getBox('ftyp');
var moov = isoFile.getBox('moov');
var initRange = null;
var start = undefined,
end = undefined;
logger.debug('Searching for initialization.');
if (moov && moov.isComplete) {
start = ftyp ? ftyp.offset : moov.offset;
end = moov.offset + moov.size - 1;
initRange = start + '-' + end;
logger.debug('Found the initialization. Range: ' + initRange);
}
return initRange;
}
function getFragmentRequest(info) {
if (!info.url) {
return;
}
var request = new _streamingVoFragmentRequest2['default']();
request.type = info.init ? _streamingVoMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE : _streamingVoMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE;
request.url = info.url;
request.range = info.range.start + '-' + info.range.end;
return request;
}
function onLoaded(segments, representation, type) {
if (segments) {
eventBus.trigger(_coreEventsEvents2['default'].SEGMENTS_LOADED, { segments: segments, representation: representation, mediaType: type });
} else {
eventBus.trigger(_coreEventsEvents2['default'].SEGMENTS_LOADED, { segments: null, representation: representation, mediaType: type, error: new _streamingVoDashJSError2['default'](null, 'error loading segments', null) });
}
}
instance = {
setConfig: setConfig,
initialize: initialize,
loadInitialization: loadInitialization,
loadSegments: loadSegments,
reset: reset
};
setup();
return instance;
}
SegmentBaseLoader.__dashjs_factory_name = 'SegmentBaseLoader';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(SegmentBaseLoader);
module.exports = exports['default'];
},{"121":121,"146":146,"156":156,"163":163,"165":165,"183":183,"45":45,"46":46,"47":47,"50":50,"86":86}],56:[function(_dereq_,module,exports){
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _streamingUtilsEBMLParser = _dereq_(150);
var _streamingUtilsEBMLParser2 = _interopRequireDefault(_streamingUtilsEBMLParser);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _streamingUtilsRequestModifier = _dereq_(156);
var _streamingUtilsRequestModifier2 = _interopRequireDefault(_streamingUtilsRequestModifier);
var _voSegment = _dereq_(86);
var _voSegment2 = _interopRequireDefault(_voSegment);
var _streamingVoMetricsHTTPRequest = _dereq_(183);
var _streamingVoFragmentRequest = _dereq_(165);
var _streamingVoFragmentRequest2 = _interopRequireDefault(_streamingVoFragmentRequest);
var _streamingNetHTTPLoader = _dereq_(121);
var _streamingNetHTTPLoader2 = _interopRequireDefault(_streamingNetHTTPLoader);
function WebmSegmentBaseLoader() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
WebM = undefined,
errHandler = undefined,
requestModifier = undefined,
metricsModel = undefined,
mediaPlayerModel = undefined,
httpLoader = undefined,
baseURLController = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
WebM = {
EBML: {
tag: 0x1A45DFA3,
required: true
},
Segment: {
tag: 0x18538067,
required: true,
SeekHead: {
tag: 0x114D9B74,
required: true
},
Info: {
tag: 0x1549A966,
required: true,
TimecodeScale: {
tag: 0x2AD7B1,
required: true,
parse: 'getMatroskaUint'
},
Duration: {
tag: 0x4489,
required: true,
parse: 'getMatroskaFloat'
}
},
Tracks: {
tag: 0x1654AE6B,
required: true
},
Cues: {
tag: 0x1C53BB6B,
required: true,
CuePoint: {
tag: 0xBB,
required: true,
CueTime: {
tag: 0xB3,
required: true,
parse: 'getMatroskaUint'
},
CueTrackPositions: {
tag: 0xB7,
required: true,
CueTrack: {
tag: 0xF7,
required: true,
parse: 'getMatroskaUint'
},
CueClusterPosition: {
tag: 0xF1,
required: true,
parse: 'getMatroskaUint'
}
}
}
}
},
Void: {
tag: 0xEC,
required: true
}
};
}
function initialize() {
requestModifier = (0, _streamingUtilsRequestModifier2['default'])(context).getInstance();
httpLoader = (0, _streamingNetHTTPLoader2['default'])(context).create({
errHandler: errHandler,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
requestModifier: requestModifier
});
}
function setConfig(config) {
if (!config.baseURLController || !config.metricsModel || !config.mediaPlayerModel || !config.errHandler) {
throw new Error('Missing config parameter(s)');
}
baseURLController = config.baseURLController;
metricsModel = config.metricsModel;
mediaPlayerModel = config.mediaPlayerModel;
errHandler = config.errHandler;
}
function parseCues(ab) {
var cues = [];
var cue = undefined;
var cueTrack = undefined;
var ebmlParser = (0, _streamingUtilsEBMLParser2['default'])(context).create({
data: ab
});
ebmlParser.consumeTagAndSize(WebM.Segment.Cues);
while (ebmlParser.moreData() && ebmlParser.consumeTagAndSize(WebM.Segment.Cues.CuePoint, true)) {
cue = {};
cue.CueTime = ebmlParser.parseTag(WebM.Segment.Cues.CuePoint.CueTime);
cue.CueTracks = [];
while (ebmlParser.moreData() && ebmlParser.consumeTag(WebM.Segment.Cues.CuePoint.CueTrackPositions, true)) {
var cueTrackPositionSize = ebmlParser.getMatroskaCodedNum();
var startPos = ebmlParser.getPos();
cueTrack = {};
cueTrack.Track = ebmlParser.parseTag(WebM.Segment.Cues.CuePoint.CueTrackPositions.CueTrack);
if (cueTrack.Track === 0) {
throw new Error('Cue track cannot be 0');
}
cueTrack.ClusterPosition = ebmlParser.parseTag(WebM.Segment.Cues.CuePoint.CueTrackPositions.CueClusterPosition);
cue.CueTracks.push(cueTrack);
// we're not interested any other elements - skip remaining bytes
ebmlParser.setPos(startPos + cueTrackPositionSize);
}
if (cue.CueTracks.length === 0) {
throw new Error('Mandatory cuetrack not found');
}
cues.push(cue);
}
if (cues.length === 0) {
throw new Error('mandatory cuepoint not found');
}
return cues;
}
function parseSegments(data, segmentStart, segmentEnd, segmentDuration) {
var duration = undefined;
var parsed = undefined;
var segments = undefined;
var segment = undefined;
var i = undefined;
var len = undefined;
var start = undefined;
var end = undefined;
parsed = parseCues(data);
segments = [];
// we are assuming one cue track per cue point
// both duration and media range require the i + 1 segment
// the final segment has to use global segment parameters
for (i = 0, len = parsed.length; i < len; i += 1) {
segment = new _voSegment2['default']();
duration = 0;
if (i < parsed.length - 1) {
duration = parsed[i + 1].CueTime - parsed[i].CueTime;
} else {
duration = segmentDuration - parsed[i].CueTime;
}
// note that we don't explicitly set segment.media as this will be
// computed when all BaseURLs are resolved later
segment.duration = duration;
segment.startTime = parsed[i].CueTime;
segment.timescale = 1000; // hardcoded for ms
start = parsed[i].CueTracks[0].ClusterPosition + segmentStart;
if (i < parsed.length - 1) {
end = parsed[i + 1].CueTracks[0].ClusterPosition + segmentStart - 1;
} else {
end = segmentEnd - 1;
}
segment.mediaRange = start + '-' + end;
segments.push(segment);
}
logger.debug('Parsed cues: ' + segments.length + ' cues.');
return segments;
}
function parseEbmlHeader(data, media, theRange, callback) {
var ebmlParser = (0, _streamingUtilsEBMLParser2['default'])(context).create({
data: data
});
var duration = undefined;
var segments = undefined;
var parts = theRange.split('-');
var request = null;
var info = {
url: media,
range: {
start: parseFloat(parts[0]),
end: parseFloat(parts[1])
},
request: request
};
var segmentEnd = undefined;
var segmentStart = undefined;
logger.debug('Parse EBML header: ' + info.url);
// skip over the header itself
ebmlParser.skipOverElement(WebM.EBML);
ebmlParser.consumeTag(WebM.Segment);
// segments start here
segmentEnd = ebmlParser.getMatroskaCodedNum();
segmentEnd += ebmlParser.getPos();
segmentStart = ebmlParser.getPos();
// skip over any top level elements to get to the segment info
while (ebmlParser.moreData() && !ebmlParser.consumeTagAndSize(WebM.Segment.Info, true)) {
if (!(ebmlParser.skipOverElement(WebM.Segment.SeekHead, true) || ebmlParser.skipOverElement(WebM.Segment.Tracks, true) || ebmlParser.skipOverElement(WebM.Segment.Cues, true) || ebmlParser.skipOverElement(WebM.Void, true))) {
throw new Error('no valid top level element found');
}
}
// we only need one thing in segment info, duration
while (duration === undefined) {
var infoTag = ebmlParser.getMatroskaCodedNum(true);
var infoElementSize = ebmlParser.getMatroskaCodedNum();
switch (infoTag) {
case WebM.Segment.Info.Duration.tag:
duration = ebmlParser[WebM.Segment.Info.Duration.parse](infoElementSize);
break;
default:
ebmlParser.setPos(ebmlParser.getPos() + infoElementSize);
break;
}
}
// once we have what we need from segment info, we jump right to the
// cues
request = getFragmentRequest(info);
var onload = function onload(response) {
segments = parseSegments(response, segmentStart, segmentEnd, duration);
callback(segments);
};
var onloadend = function onloadend() {
logger.error('Download Error: Cues ' + info.url);
callback(null);
};
httpLoader.load({
request: request,
success: onload,
error: onloadend
});
logger.debug('Perform cues load: ' + info.url + ' bytes=' + info.range.start + '-' + info.range.end);
}
function checkSetConfigCall() {
if (!baseURLController || !baseURLController.hasOwnProperty('resolve')) {
throw new Error('setConfig function has to be called previously');
}
}
function loadInitialization(representation, loadingInfo) {
checkSetConfigCall();
var request = null;
var baseUrl = baseURLController.resolve(representation.path);
var media = baseUrl ? baseUrl.url : undefined;
var initRange = representation.range.split('-');
var info = loadingInfo || {
range: {
start: parseFloat(initRange[0]),
end: parseFloat(initRange[1])
},
request: request,
url: media,
init: true
};
logger.info('Start loading initialization.');
request = getFragmentRequest(info);
var onload = function onload() {
// note that we don't explicitly set rep.initialization as this
// will be computed when all BaseURLs are resolved later
eventBus.trigger(_coreEventsEvents2['default'].INITIALIZATION_LOADED, {
representation: representation
});
};
var onloadend = function onloadend() {
eventBus.trigger(_coreEventsEvents2['default'].INITIALIZATION_LOADED, {
representation: representation
});
};
httpLoader.load({
request: request,
success: onload,
error: onloadend
});
logger.debug('Perform init load: ' + info.url);
}
function loadSegments(representation, type, theRange, callback) {
checkSetConfigCall();
var request = null;
var baseUrl = baseURLController.resolve(representation.path);
var media = baseUrl ? baseUrl.url : undefined;
var bytesToLoad = 8192;
var info = {
bytesLoaded: 0,
bytesToLoad: bytesToLoad,
range: {
start: 0,
end: bytesToLoad
},
request: request,
url: media,
init: false
};
callback = !callback ? onLoaded : callback;
request = getFragmentRequest(info);
// first load the header, but preserve the manifest range so we can
// load the cues after parsing the header
// NOTE: we expect segment info to appear in the first 8192 bytes
logger.debug('Parsing ebml header');
var onload = function onload(response) {
parseEbmlHeader(response, media, theRange, function (segments) {
callback(segments, representation, type);
});
};
var onloadend = function onloadend() {
callback(null, representation, type);
};
httpLoader.load({
request: request,
success: onload,
error: onloadend
});
}
function onLoaded(segments, representation, type) {
if (segments) {
eventBus.trigger(_coreEventsEvents2['default'].SEGMENTS_LOADED, {
segments: segments,
representation: representation,
mediaType: type
});
} else {
eventBus.trigger(_coreEventsEvents2['default'].SEGMENTS_LOADED, {
segments: null,
representation: representation,
mediaType: type,
error: new Error(null, 'error loading segments', null)
});
}
}
function getFragmentRequest(info) {
var request = new _streamingVoFragmentRequest2['default']();
request.type = info.init ? _streamingVoMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE : _streamingVoMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE;
request.url = info.url;
request.range = info.range.start + '-' + info.range.end;
return request;
}
function reset() {
errHandler = null;
requestModifier = null;
}
instance = {
setConfig: setConfig,
initialize: initialize,
loadInitialization: loadInitialization,
loadSegments: loadSegments,
reset: reset
};
setup();
return instance;
}
WebmSegmentBaseLoader.__dashjs_factory_name = 'WebmSegmentBaseLoader';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(WebmSegmentBaseLoader);
module.exports = exports['default'];
},{"121":121,"150":150,"156":156,"165":165,"183":183,"45":45,"46":46,"47":47,"50":50,"86":86}],57:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Dash constants declaration
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var DashConstants = (function () {
_createClass(DashConstants, [{
key: 'init',
value: function init() {
this.BASE_URL = 'BaseURL';
this.SEGMENT_BASE = 'SegmentBase';
this.SEGMENT_TEMPLATE = 'SegmentTemplate';
this.SEGMENT_LIST = 'SegmentList';
this.SEGMENT_URL = 'SegmentURL';
this.SEGMENT_TIMELINE = 'SegmentTimeline';
this.SEGMENT_PROFILES = 'segmentProfiles';
this.ADAPTATION_SET = 'AdaptationSet';
this.REPRESENTATION = 'Representation';
this.REPRESENTATION_INDEX = 'RepresentationIndex';
this.SUB_REPRESENTATION = 'SubRepresentation';
this.INITIALIZATION = 'Initialization';
this.INITIALIZATION_MINUS = 'initialization';
this.MPD = 'MPD';
this.PERIOD = 'Period';
this.ASSET_IDENTIFIER = 'AssetIdentifier';
this.EVENT_STREAM = 'EventStream';
this.ID = 'id';
this.PROFILES = 'profiles';
this.SERVICE_LOCATION = 'serviceLocation';
this.RANGE = 'range';
this.INDEX = 'index';
this.MEDIA = 'media';
this.BYTE_RANGE = 'byteRange';
this.INDEX_RANGE = 'indexRange';
this.MEDIA_RANGE = 'mediaRange';
this.VALUE = 'value';
this.CONTENT_TYPE = 'contentType';
this.MIME_TYPE = 'mimeType';
this.BITSTREAM_SWITCHING = 'BitstreamSwitching';
this.BITSTREAM_SWITCHING_MINUS = 'bitstreamSwitching';
this.CODECS = 'codecs';
this.DEPENDENCY_ID = 'dependencyId';
this.MEDIA_STREAM_STRUCTURE_ID = 'mediaStreamStructureId';
this.METRICS = 'Metrics';
this.METRICS_MINUS = 'metrics';
this.REPORTING = 'Reporting';
this.WIDTH = 'width';
this.HEIGHT = 'height';
this.SAR = 'sar';
this.FRAMERATE = 'frameRate';
this.AUDIO_SAMPLING_RATE = 'audioSamplingRate';
this.MAXIMUM_SAP_PERIOD = 'maximumSAPPeriod';
this.START_WITH_SAP = 'startWithSAP';
this.MAX_PLAYOUT_RATE = 'maxPlayoutRate';
this.CODING_DEPENDENCY = 'codingDependency';
this.SCAN_TYPE = 'scanType';
this.FRAME_PACKING = 'FramePacking';
this.AUDIO_CHANNEL_CONFIGURATION = 'AudioChannelConfiguration';
this.CONTENT_PROTECTION = 'ContentProtection';
this.ESSENTIAL_PROPERTY = 'EssentialProperty';
this.SUPPLEMENTAL_PROPERTY = 'SupplementalProperty';
this.INBAND_EVENT_STREAM = 'InbandEventStream';
this.ACCESSIBILITY = 'Accessibility';
this.ROLE = 'Role';
this.RATING = 'Rating';
this.CONTENT_COMPONENT = 'ContentComponent';
this.SUBSET = 'Subset';
this.LANG = 'lang';
this.VIEWPOINT = 'Viewpoint';
this.ROLE_ASARRAY = 'Role_asArray';
this.ACCESSIBILITY_ASARRAY = 'Accessibility_asArray';
this.AUDIOCHANNELCONFIGURATION_ASARRAY = 'AudioChannelConfiguration_asArray';
this.CONTENTPROTECTION_ASARRAY = 'ContentProtection_asArray';
this.MAIN = 'main';
this.DYNAMIC = 'dynamic';
this.MEDIA_PRESENTATION_DURATION = 'mediaPresentationDuration';
this.MINIMUM_UPDATE_PERIOD = 'minimumUpdatePeriod';
this.CODEC_PRIVATE_DATA = 'codecPrivateData';
this.BANDWITH = 'bandwidth';
this.SOURCE_URL = 'sourceURL';
this.TIMESCALE = 'timescale';
this.DURATION = 'duration';
this.START_NUMBER = 'startNumber';
this.PRESENTATION_TIME_OFFSET = 'presentationTimeOffset';
this.AVAILABILITY_START_TIME = 'availabilityStartTime';
this.AVAILABILITY_END_TIME = 'availabilityEndTime';
this.TIMESHIFT_BUFFER_DEPTH = 'timeShiftBufferDepth';
this.MAX_SEGMENT_DURATION = 'maxSegmentDuration';
this.PRESENTATION_TIME = 'presentationTime';
this.MIN_BUFFER_TIME = 'minBufferTime';
this.MAX_SUBSEGMENT_DURATION = 'maxSubsegmentDuration';
this.START = 'start';
this.AVAILABILITY_TIME_OFFSET = 'availabilityTimeOffset';
this.AVAILABILITY_TIME_COMPLETE = 'availabilityTimeComplete';
this.CENC_DEFAULT_KID = 'cenc:default_KID';
this.DVB_PRIORITY = 'dvb:priority';
this.DVB_WEIGHT = 'dvb:weight';
}
}]);
function DashConstants() {
_classCallCheck(this, DashConstants);
this.init();
}
return DashConstants;
})();
var constants = new DashConstants();
exports['default'] = constants;
module.exports = exports['default'];
},{}],58:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _streamingConstantsConstants = _dereq_(98);
var _streamingConstantsConstants2 = _interopRequireDefault(_streamingConstantsConstants);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var _streamingVoDashJSError = _dereq_(163);
var _streamingVoDashJSError2 = _interopRequireDefault(_streamingVoDashJSError);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _voRepresentation = _dereq_(85);
var _voRepresentation2 = _interopRequireDefault(_voRepresentation);
function RepresentationController() {
var SEGMENTS_UPDATE_FAILED_ERROR_CODE = 1;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
realAdaptation = undefined,
realAdaptationIndex = undefined,
updating = undefined,
voAvailableRepresentations = undefined,
currentVoRepresentation = undefined,
abrController = undefined,
indexHandler = undefined,
playbackController = undefined,
metricsModel = undefined,
domStorage = undefined,
timelineConverter = undefined,
dashManifestModel = undefined,
dashMetrics = undefined,
streamProcessor = undefined,
manifestModel = undefined;
function setup() {
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChanged, instance);
eventBus.on(_coreEventsEvents2['default'].REPRESENTATION_UPDATED, onRepresentationUpdated, instance);
eventBus.on(_coreEventsEvents2['default'].WALLCLOCK_TIME_UPDATED, onWallclockTimeUpdated, instance);
eventBus.on(_coreEventsEvents2['default'].BUFFER_LEVEL_UPDATED, onBufferLevelUpdated, instance);
eventBus.on(_coreEventsEvents2['default'].MANIFEST_VALIDITY_CHANGED, onManifestValidityChanged, instance);
}
function setConfig(config) {
// allow the abrController created in setup to be overidden
if (config.abrController) {
abrController = config.abrController;
}
if (config.domStorage) {
domStorage = config.domStorage;
}
if (config.metricsModel) {
metricsModel = config.metricsModel;
}
if (config.dashMetrics) {
dashMetrics = config.dashMetrics;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.playbackController) {
playbackController = config.playbackController;
}
if (config.timelineConverter) {
timelineConverter = config.timelineConverter;
}
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.streamProcessor) {
streamProcessor = config.streamProcessor;
}
}
function initialize() {
indexHandler = streamProcessor.getIndexHandler();
}
function getStreamProcessor() {
return streamProcessor;
}
function getData() {
return realAdaptation;
}
function getDataIndex() {
return realAdaptationIndex;
}
function isUpdating() {
return updating;
}
function getCurrentRepresentation() {
return currentVoRepresentation;
}
function resetInitialSettings() {
realAdaptation = null;
realAdaptationIndex = -1;
updating = true;
voAvailableRepresentations = [];
abrController = null;
playbackController = null;
metricsModel = null;
domStorage = null;
timelineConverter = null;
dashManifestModel = null;
dashMetrics = null;
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChanged, instance);
eventBus.off(_coreEventsEvents2['default'].REPRESENTATION_UPDATED, onRepresentationUpdated, instance);
eventBus.off(_coreEventsEvents2['default'].WALLCLOCK_TIME_UPDATED, onWallclockTimeUpdated, instance);
eventBus.off(_coreEventsEvents2['default'].BUFFER_LEVEL_UPDATED, onBufferLevelUpdated, instance);
eventBus.off(_coreEventsEvents2['default'].MANIFEST_VALIDITY_CHANGED, onManifestValidityChanged, instance);
resetInitialSettings();
}
function updateData(newRealAdaptation, voAdaptation, type) {
var streamInfo = streamProcessor.getStreamInfo();
var maxQuality = abrController.getTopQualityIndexFor(type, streamInfo.id);
var minIdx = abrController.getMinAllowedIndexFor(type);
var quality = undefined,
averageThroughput = undefined;
var bitrate = null;
updating = true;
eventBus.trigger(_coreEventsEvents2['default'].DATA_UPDATE_STARTED, { sender: this });
voAvailableRepresentations = updateRepresentations(voAdaptation);
if ((realAdaptation === null || realAdaptation.id != newRealAdaptation.id) && type !== _streamingConstantsConstants2['default'].FRAGMENTED_TEXT) {
averageThroughput = abrController.getThroughputHistory().getAverageThroughput(type);
bitrate = averageThroughput || abrController.getInitialBitrateFor(type, streamInfo);
quality = abrController.getQualityForBitrate(streamProcessor.getMediaInfo(), bitrate);
} else {
quality = abrController.getQualityFor(type, streamInfo);
}
if (minIdx !== undefined && quality < minIdx) {
quality = minIdx;
}
if (quality > maxQuality) {
quality = maxQuality;
}
currentVoRepresentation = getRepresentationForQuality(quality);
realAdaptation = newRealAdaptation;
if (type !== _streamingConstantsConstants2['default'].VIDEO && type !== _streamingConstantsConstants2['default'].AUDIO && type !== _streamingConstantsConstants2['default'].FRAGMENTED_TEXT) {
updating = false;
eventBus.trigger(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, { sender: this, data: realAdaptation, currentRepresentation: currentVoRepresentation });
return;
}
for (var i = 0; i < voAvailableRepresentations.length; i++) {
indexHandler.updateRepresentation(voAvailableRepresentations[i], true);
}
}
function addRepresentationSwitch() {
var now = new Date();
var currentRepresentation = getCurrentRepresentation();
var currentVideoTimeMs = playbackController.getTime() * 1000;
metricsModel.addRepresentationSwitch(currentRepresentation.adaptation.type, now, currentVideoTimeMs, currentRepresentation.id);
}
function addDVRMetric() {
var streamInfo = streamProcessor.getStreamInfo();
var manifestInfo = streamInfo ? streamInfo.manifestInfo : null;
var isDynamic = manifestInfo ? manifestInfo.isDynamic : null;
var range = timelineConverter.calcSegmentAvailabilityRange(currentVoRepresentation, isDynamic);
metricsModel.addDVRInfo(streamProcessor.getType(), playbackController.getTime(), manifestInfo, range);
}
function getRepresentationForQuality(quality) {
return voAvailableRepresentations[quality];
}
function getQualityForRepresentation(voRepresentation) {
return voAvailableRepresentations.indexOf(voRepresentation);
}
function isAllRepresentationsUpdated() {
for (var i = 0, ln = voAvailableRepresentations.length; i < ln; i++) {
var segmentInfoType = voAvailableRepresentations[i].segmentInfoType;
if (voAvailableRepresentations[i].segmentAvailabilityRange === null || !_voRepresentation2['default'].hasInitialization(voAvailableRepresentations[i]) || (segmentInfoType === _constantsDashConstants2['default'].SEGMENT_BASE || segmentInfoType === _constantsDashConstants2['default'].BASE_URL) && !voAvailableRepresentations[i].segments) {
return false;
}
}
return true;
}
function updateRepresentations(voAdaptation) {
var voReps = undefined;
realAdaptationIndex = dashManifestModel.getIndexForAdaptation(realAdaptation, voAdaptation.period.mpd.manifest, voAdaptation.period.index);
voReps = dashManifestModel.getRepresentationsForAdaptation(voAdaptation);
return voReps;
}
function updateAvailabilityWindow(isDynamic) {
var voRepresentation = undefined;
for (var i = 0, ln = voAvailableRepresentations.length; i < ln; i++) {
voRepresentation = voAvailableRepresentations[i];
voRepresentation.segmentAvailabilityRange = timelineConverter.calcSegmentAvailabilityRange(voRepresentation, isDynamic);
}
}
function resetAvailabilityWindow() {
voAvailableRepresentations.forEach(function (rep) {
rep.segmentAvailabilityRange = null;
});
}
function postponeUpdate(postponeTimePeriod) {
var delay = postponeTimePeriod;
var update = function update() {
if (isUpdating()) return;
updating = true;
eventBus.trigger(_coreEventsEvents2['default'].DATA_UPDATE_STARTED, { sender: instance });
// clear the segmentAvailabilityRange for all reps.
// this ensures all are updated before the live edge search starts
resetAvailabilityWindow();
for (var i = 0; i < voAvailableRepresentations.length; i++) {
indexHandler.updateRepresentation(voAvailableRepresentations[i], true);
}
};
updating = false;
eventBus.trigger(_coreEventsEvents2['default'].AST_IN_FUTURE, { delay: delay });
setTimeout(update, delay);
}
function onRepresentationUpdated(e) {
if (e.sender.getStreamProcessor() !== streamProcessor || !isUpdating()) return;
var r = e.representation;
var streamMetrics = metricsModel.getMetricsFor(_streamingConstantsConstants2['default'].STREAM);
var metrics = metricsModel.getMetricsFor(getCurrentRepresentation().adaptation.type);
var manifestUpdateInfo = dashMetrics.getCurrentManifestUpdate(streamMetrics);
var alreadyAdded = false;
var postponeTimePeriod = 0;
var repInfo = undefined,
err = undefined,
repSwitch = undefined;
if (r.adaptation.period.mpd.manifest.type === _constantsDashConstants2['default'].DYNAMIC && !r.adaptation.period.mpd.manifest.ignorePostponeTimePeriod) {
var segmentAvailabilityTimePeriod = r.segmentAvailabilityRange.end - r.segmentAvailabilityRange.start;
// We must put things to sleep unless till e.g. the startTime calculation in ScheduleController.onLiveEdgeSearchCompleted fall after the segmentAvailabilityRange.start
var liveDelay = playbackController.computeLiveDelay(currentVoRepresentation.segmentDuration, streamProcessor.getStreamInfo().manifestInfo.DVRWindowSize);
postponeTimePeriod = (liveDelay - segmentAvailabilityTimePeriod) * 1000;
}
if (postponeTimePeriod > 0) {
addDVRMetric();
postponeUpdate(postponeTimePeriod);
err = new _streamingVoDashJSError2['default'](SEGMENTS_UPDATE_FAILED_ERROR_CODE, 'Segments update failed', null);
eventBus.trigger(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, { sender: this, data: realAdaptation, currentRepresentation: currentVoRepresentation, error: err });
return;
}
if (manifestUpdateInfo) {
for (var i = 0; i < manifestUpdateInfo.representationInfo.length; i++) {
repInfo = manifestUpdateInfo.representationInfo[i];
if (repInfo.index === r.index && repInfo.mediaType === streamProcessor.getType()) {
alreadyAdded = true;
break;
}
}
if (!alreadyAdded) {
metricsModel.addManifestUpdateRepresentationInfo(manifestUpdateInfo, r.id, r.index, r.adaptation.period.index, streamProcessor.getType(), r.presentationTimeOffset, r.startNumber, r.segmentInfoType);
}
}
if (isAllRepresentationsUpdated()) {
updating = false;
abrController.setPlaybackQuality(streamProcessor.getType(), streamProcessor.getStreamInfo(), getQualityForRepresentation(currentVoRepresentation));
metricsModel.updateManifestUpdateInfo(manifestUpdateInfo, { latency: currentVoRepresentation.segmentAvailabilityRange.end - playbackController.getTime() });
repSwitch = dashMetrics.getCurrentRepresentationSwitch(metrics);
if (!repSwitch) {
addRepresentationSwitch();
}
eventBus.trigger(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, { sender: this, data: realAdaptation, currentRepresentation: currentVoRepresentation });
}
}
function onWallclockTimeUpdated(e) {
if (e.isDynamic) {
updateAvailabilityWindow(e.isDynamic);
}
}
function onBufferLevelUpdated(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) return;
var manifest = manifestModel.getValue();
if (!manifest.doNotUpdateDVRWindowOnBufferUpdated) {
addDVRMetric();
}
}
function onQualityChanged(e) {
if (e.mediaType !== streamProcessor.getType() || streamProcessor.getStreamInfo().id !== e.streamInfo.id) return;
if (e.oldQuality !== e.newQuality) {
currentVoRepresentation = getRepresentationForQuality(e.newQuality);
var bitrate = abrController.getThroughputHistory().getAverageThroughput(e.mediaType);
if (!isNaN(bitrate)) {
domStorage.setSavedBitrateSettings(e.mediaType, bitrate);
}
addRepresentationSwitch();
}
}
function onManifestValidityChanged(e) {
if (e.newDuration) {
var representation = getCurrentRepresentation();
if (representation && representation.adaptation.period) {
var period = representation.adaptation.period;
period.duration = e.newDuration;
}
}
}
instance = {
initialize: initialize,
setConfig: setConfig,
getData: getData,
getDataIndex: getDataIndex,
isUpdating: isUpdating,
updateData: updateData,
getStreamProcessor: getStreamProcessor,
getCurrentRepresentation: getCurrentRepresentation,
getRepresentationForQuality: getRepresentationForQuality,
reset: reset
};
setup();
return instance;
}
RepresentationController.__dashjs_factory_name = 'RepresentationController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(RepresentationController);
module.exports = exports['default'];
},{"163":163,"46":46,"47":47,"50":50,"57":57,"85":85,"98":98}],59:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _streamingConstantsConstants = _dereq_(98);
var _streamingConstantsConstants2 = _interopRequireDefault(_streamingConstantsConstants);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var _voRepresentation = _dereq_(85);
var _voRepresentation2 = _interopRequireDefault(_voRepresentation);
var _voAdaptationSet = _dereq_(79);
var _voAdaptationSet2 = _interopRequireDefault(_voAdaptationSet);
var _voPeriod = _dereq_(84);
var _voPeriod2 = _interopRequireDefault(_voPeriod);
var _voMpd = _dereq_(83);
var _voMpd2 = _interopRequireDefault(_voMpd);
var _voUTCTiming = _dereq_(87);
var _voUTCTiming2 = _interopRequireDefault(_voUTCTiming);
var _voEvent = _dereq_(81);
var _voEvent2 = _interopRequireDefault(_voEvent);
var _voBaseURL = _dereq_(80);
var _voBaseURL2 = _interopRequireDefault(_voBaseURL);
var _voEventStream = _dereq_(82);
var _voEventStream2 = _interopRequireDefault(_voEventStream);
var _streamingUtilsObjectUtils = _dereq_(155);
var _streamingUtilsObjectUtils2 = _interopRequireDefault(_streamingUtilsObjectUtils);
var _streamingUtilsURLUtils = _dereq_(158);
var _streamingUtilsURLUtils2 = _interopRequireDefault(_streamingUtilsURLUtils);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function DashManifestModel(config) {
config = config || {};
var instance = undefined,
logger = undefined;
var context = this.context;
var urlUtils = (0, _streamingUtilsURLUtils2['default'])(context).getInstance();
var mediaController = config.mediaController;
var timelineConverter = config.timelineConverter;
var adapter = config.adapter;
var PROFILE_DVB = 'urn:dvb:dash:profile:dvb-dash:2014';
var isInteger = Number.isInteger || function (value) {
return typeof value === 'number' && isFinite(value) && Math.floor(value) === value;
};
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function getIsTypeOf(adaptation, type) {
var i = undefined,
len = undefined,
representation = undefined,
col = undefined,
mimeTypeRegEx = undefined,
codecs = undefined;
var result = false;
var found = false;
if (!adaptation) {
throw new Error('adaptation is not defined');
}
if (!type) {
throw new Error('type is not defined');
}
if (adaptation.hasOwnProperty('ContentComponent_asArray')) {
col = adaptation.ContentComponent_asArray;
}
mimeTypeRegEx = type !== _streamingConstantsConstants2['default'].TEXT ? new RegExp(type) : new RegExp('(vtt|ttml)');
if (adaptation.Representation_asArray && adaptation.Representation_asArray.length && adaptation.Representation_asArray.length > 0 && adaptation.Representation_asArray[0].hasOwnProperty(_constantsDashConstants2['default'].CODECS)) {
// Just check the start of the codecs string
codecs = adaptation.Representation_asArray[0].codecs;
if (codecs.search(_streamingConstantsConstants2['default'].STPP) === 0 || codecs.search(_streamingConstantsConstants2['default'].WVTT) === 0) {
return type === _streamingConstantsConstants2['default'].FRAGMENTED_TEXT;
}
}
if (col) {
if (col.length > 1) {
return type === _streamingConstantsConstants2['default'].MUXED;
} else if (col[0] && col[0].contentType === type) {
result = true;
found = true;
}
}
if (adaptation.hasOwnProperty(_constantsDashConstants2['default'].MIME_TYPE)) {
result = mimeTypeRegEx.test(adaptation.mimeType);
found = true;
}
// couldn't find on adaptationset, so check a representation
if (!found) {
i = 0;
len = adaptation.Representation_asArray && adaptation.Representation_asArray.length ? adaptation.Representation_asArray.length : 0;
while (!found && i < len) {
representation = adaptation.Representation_asArray[i];
if (representation.hasOwnProperty(_constantsDashConstants2['default'].MIME_TYPE)) {
result = mimeTypeRegEx.test(representation.mimeType);
found = true;
}
i++;
}
}
return result;
}
function getIsAudio(adaptation) {
return getIsTypeOf(adaptation, _streamingConstantsConstants2['default'].AUDIO);
}
function getIsVideo(adaptation) {
return getIsTypeOf(adaptation, _streamingConstantsConstants2['default'].VIDEO);
}
function getIsFragmentedText(adaptation) {
return getIsTypeOf(adaptation, _streamingConstantsConstants2['default'].FRAGMENTED_TEXT);
}
function getIsText(adaptation) {
return getIsTypeOf(adaptation, _streamingConstantsConstants2['default'].TEXT);
}
function getIsMuxed(adaptation) {
return getIsTypeOf(adaptation, _streamingConstantsConstants2['default'].MUXED);
}
function getIsImage(adaptation) {
return getIsTypeOf(adaptation, _streamingConstantsConstants2['default'].IMAGE);
}
function getIsTextTrack(type) {
return type === 'text/vtt' || type === 'application/ttml+xml';
}
function getLanguageForAdaptation(adaptation) {
var lang = '';
if (adaptation && adaptation.hasOwnProperty(_constantsDashConstants2['default'].LANG)) {
//Filter out any other characters not allowed according to RFC5646
lang = adaptation.lang.replace(/[^A-Za-z0-9-]/g, '');
}
return lang;
}
function getViewpointForAdaptation(adaptation) {
return adaptation && adaptation.hasOwnProperty(_constantsDashConstants2['default'].VIEWPOINT) ? adaptation.Viewpoint : null;
}
function getRolesForAdaptation(adaptation) {
return adaptation && adaptation.hasOwnProperty(_constantsDashConstants2['default'].ROLE_ASARRAY) ? adaptation.Role_asArray : [];
}
function getAccessibilityForAdaptation(adaptation) {
return adaptation && adaptation.hasOwnProperty(_constantsDashConstants2['default'].ACCESSIBILITY_ASARRAY) ? adaptation.Accessibility_asArray : [];
}
function getAudioChannelConfigurationForAdaptation(adaptation) {
return adaptation && adaptation.hasOwnProperty(_constantsDashConstants2['default'].AUDIOCHANNELCONFIGURATION_ASARRAY) ? adaptation.AudioChannelConfiguration_asArray : [];
}
function getIsMain(adaptation) {
return getRolesForAdaptation(adaptation).filter(function (role) {
return role.value === _constantsDashConstants2['default'].MAIN;
})[0];
}
function getRepresentationSortFunction() {
return function (a, b) {
return a.bandwidth - b.bandwidth;
};
}
function processAdaptation(realAdaptation) {
if (realAdaptation && realAdaptation.Representation_asArray !== undefined && realAdaptation.Representation_asArray !== null) {
realAdaptation.Representation_asArray.sort(getRepresentationSortFunction());
}
return realAdaptation;
}
function getAdaptationForId(id, manifest, periodIndex) {
var realAdaptations = manifest && manifest.Period_asArray && isInteger(periodIndex) ? manifest.Period_asArray[periodIndex] ? manifest.Period_asArray[periodIndex].AdaptationSet_asArray : [] : [];
var i = undefined,
len = undefined;
for (i = 0, len = realAdaptations.length; i < len; i++) {
if (realAdaptations[i].hasOwnProperty(_constantsDashConstants2['default'].ID) && realAdaptations[i].id === id) {
return realAdaptations[i];
}
}
return null;
}
function getAdaptationForIndex(index, manifest, periodIndex) {
var realAdaptations = manifest && manifest.Period_asArray && isInteger(periodIndex) ? manifest.Period_asArray[periodIndex] ? manifest.Period_asArray[periodIndex].AdaptationSet_asArray : null : null;
if (realAdaptations && isInteger(index)) {
return realAdaptations[index];
} else {
return null;
}
}
function getIndexForAdaptation(realAdaptation, manifest, periodIndex) {
var realAdaptations = manifest && manifest.Period_asArray && isInteger(periodIndex) ? manifest.Period_asArray[periodIndex] ? manifest.Period_asArray[periodIndex].AdaptationSet_asArray : [] : [];
var len = realAdaptations.length;
if (realAdaptation) {
for (var i = 0; i < len; i++) {
var objectUtils = (0, _streamingUtilsObjectUtils2['default'])(context).getInstance();
if (objectUtils.areEqual(realAdaptations[i], realAdaptation)) {
return i;
}
}
}
return -1;
}
function getAdaptationsForType(manifest, periodIndex, type) {
var realAdaptationSet = manifest && manifest.Period_asArray && isInteger(periodIndex) ? manifest.Period_asArray[periodIndex] ? manifest.Period_asArray[periodIndex].AdaptationSet_asArray : [] : [];
var i = undefined,
len = undefined;
var adaptations = [];
for (i = 0, len = realAdaptationSet.length; i < len; i++) {
if (getIsTypeOf(realAdaptationSet[i], type)) {
adaptations.push(processAdaptation(realAdaptationSet[i]));
}
}
return adaptations;
}
function getAdaptationForType(manifest, periodIndex, type, streamInfo) {
var adaptations = getAdaptationsForType(manifest, periodIndex, type);
if (!adaptations || adaptations.length === 0) return null;
if (adaptations.length > 1 && streamInfo) {
var currentTrack = mediaController.getCurrentTrackFor(type, streamInfo);
var allMediaInfoForType = adapter.getAllMediaInfoForType(streamInfo, type);
if (currentTrack) {
for (var i = 0, ln = adaptations.length; i < ln; i++) {
if (mediaController.isTracksEqual(currentTrack, allMediaInfoForType[i])) {
return adaptations[i];
}
}
}
for (var i = 0, ln = adaptations.length; i < ln; i++) {
if (getIsMain(adaptations[i])) {
return adaptations[i];
}
}
}
return adaptations[0];
}
function getCodec(adaptation, representationId, addResolutionInfo) {
if (adaptation && adaptation.Representation_asArray && adaptation.Representation_asArray.length > 0) {
var representation = isInteger(representationId) && representationId >= 0 && representationId < adaptation.Representation_asArray.length ? adaptation.Representation_asArray[representationId] : adaptation.Representation_asArray[0];
var codec = representation.mimeType + ';codecs="' + representation.codecs + '"';
if (addResolutionInfo && representation.width !== undefined) {
codec += ';width="' + representation.width + '";height="' + representation.height + '"';
}
return codec;
}
return null;
}
function getMimeType(adaptation) {
return adaptation && adaptation.Representation_asArray && adaptation.Representation_asArray.length > 0 ? adaptation.Representation_asArray[0].mimeType : null;
}
function getKID(adaptation) {
if (!adaptation || !adaptation.hasOwnProperty(_constantsDashConstants2['default'].CENC_DEFAULT_KID)) {
return null;
}
return adaptation[_constantsDashConstants2['default'].CENC_DEFAULT_KID];
}
function getContentProtectionData(adaptation) {
if (!adaptation || !adaptation.hasOwnProperty(_constantsDashConstants2['default'].CONTENTPROTECTION_ASARRAY) || adaptation.ContentProtection_asArray.length === 0) {
return null;
}
return adaptation.ContentProtection_asArray;
}
function getIsDynamic(manifest) {
var isDynamic = false;
if (manifest && manifest.hasOwnProperty('type')) {
isDynamic = manifest.type === _constantsDashConstants2['default'].DYNAMIC;
}
return isDynamic;
}
function hasProfile(manifest, profile) {
var has = false;
if (manifest && manifest.profiles && manifest.profiles.length > 0) {
has = manifest.profiles.indexOf(profile) !== -1;
}
return has;
}
function getIsDVB(manifest) {
return hasProfile(manifest, PROFILE_DVB);
}
function getDuration(manifest) {
var mpdDuration = undefined;
//@mediaPresentationDuration specifies the duration of the entire Media Presentation.
//If the attribute is not present, the duration of the Media Presentation is unknown.
if (manifest && manifest.hasOwnProperty(_constantsDashConstants2['default'].MEDIA_PRESENTATION_DURATION)) {
mpdDuration = manifest.mediaPresentationDuration;
} else {
mpdDuration = Number.MAX_SAFE_INTEGER || Number.MAX_VALUE;
}
return mpdDuration;
}
function getBandwidth(representation) {
return representation && representation.bandwidth ? representation.bandwidth : NaN;
}
function getManifestUpdatePeriod(manifest) {
var latencyOfLastUpdate = arguments.length <= 1 || arguments[1] === undefined ? 0 : arguments[1];
var delay = NaN;
if (manifest && manifest.hasOwnProperty(_constantsDashConstants2['default'].MINIMUM_UPDATE_PERIOD)) {
delay = manifest.minimumUpdatePeriod;
}
return isNaN(delay) ? delay : Math.max(delay - latencyOfLastUpdate, 1);
}
function getRepresentationCount(adaptation) {
return adaptation && adaptation.Representation_asArray && adaptation.Representation_asArray.length ? adaptation.Representation_asArray.length : 0;
}
function getBitrateListForAdaptation(realAdaptation) {
if (!realAdaptation || !realAdaptation.Representation_asArray || !realAdaptation.Representation_asArray.length) return null;
var processedRealAdaptation = processAdaptation(realAdaptation);
var realRepresentations = processedRealAdaptation.Representation_asArray;
return realRepresentations.map(function (realRepresentation) {
return {
bandwidth: realRepresentation.bandwidth,
width: realRepresentation.width || 0,
height: realRepresentation.height || 0,
scanType: realRepresentation.scanType || null
};
});
}
function getEssentialPropertiesForRepresentation(realRepresentation) {
if (!realRepresentation || !realRepresentation.EssentialProperty_asArray || !realRepresentation.EssentialProperty_asArray.length) return null;
return realRepresentation.EssentialProperty_asArray.map(function (prop) {
return {
schemeIdUri: prop.schemeIdUri,
value: prop.value
};
});
}
function getRepresentationFor(index, adaptation) {
return adaptation && adaptation.Representation_asArray && adaptation.Representation_asArray.length > 0 && isInteger(index) ? adaptation.Representation_asArray[index] : null;
}
function getRealAdaptationFor(voAdaptation) {
if (voAdaptation && voAdaptation.period && isInteger(voAdaptation.period.index)) {
var periodArray = voAdaptation.period.mpd.manifest.Period_asArray[voAdaptation.period.index];
if (periodArray && periodArray.AdaptationSet_asArray && isInteger(voAdaptation.index)) {
return processAdaptation(periodArray.AdaptationSet_asArray[voAdaptation.index]);
}
}
}
function isLastRepeatAttributeValid(segmentTimeline) {
var s = segmentTimeline.S_asArray[segmentTimeline.S_asArray.length - 1];
return !s.hasOwnProperty('r') || s.r >= 0;
}
function getUseCalculatedLiveEdgeTimeForAdaptation(voAdaptation) {
var realRepresentation = getRealAdaptationFor(voAdaptation).Representation_asArray[0];
var segmentInfo = undefined;
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_LIST)) {
segmentInfo = realRepresentation.SegmentList;
return segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_TIMELINE) ? isLastRepeatAttributeValid(segmentInfo.SegmentTimeline) : true;
} else if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_TEMPLATE)) {
segmentInfo = realRepresentation.SegmentTemplate;
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_TIMELINE)) {
return isLastRepeatAttributeValid(segmentInfo.SegmentTimeline);
}
}
return false;
}
function getRepresentationsForAdaptation(voAdaptation) {
var voRepresentations = [];
var processedRealAdaptation = getRealAdaptationFor(voAdaptation);
var segmentInfo = undefined;
var baseUrl = undefined;
// TODO: TO BE REMOVED. We should get just the baseUrl elements that affects to the representations
// that we are processing. Making it works properly will require much further changes and given
// parsing base Urls parameters is needed for our ultra low latency examples, we will
// keep this "tricky" code until the real (and good) solution comes
if (voAdaptation && voAdaptation.period && isInteger(voAdaptation.period.index)) {
var baseUrls = getBaseURLsFromElement(voAdaptation.period.mpd.manifest);
if (baseUrls) {
baseUrl = baseUrls[0];
}
}
if (processedRealAdaptation && processedRealAdaptation.Representation_asArray) {
for (var i = 0, len = processedRealAdaptation.Representation_asArray.length; i < len; ++i) {
var realRepresentation = processedRealAdaptation.Representation_asArray[i];
var voRepresentation = new _voRepresentation2['default']();
voRepresentation.index = i;
voRepresentation.adaptation = voAdaptation;
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].ID)) {
voRepresentation.id = realRepresentation.id;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].CODECS)) {
voRepresentation.codecs = realRepresentation.codecs;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].CODEC_PRIVATE_DATA)) {
voRepresentation.codecPrivateData = realRepresentation.codecPrivateData;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].BANDWITH)) {
voRepresentation.bandwidth = realRepresentation.bandwidth;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].WIDTH)) {
voRepresentation.width = realRepresentation.width;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].HEIGHT)) {
voRepresentation.height = realRepresentation.height;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].SCAN_TYPE)) {
voRepresentation.scanType = realRepresentation.scanType;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].MAX_PLAYOUT_RATE)) {
voRepresentation.maxPlayoutRate = realRepresentation.maxPlayoutRate;
}
if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_BASE)) {
segmentInfo = realRepresentation.SegmentBase;
voRepresentation.segmentInfoType = _constantsDashConstants2['default'].SEGMENT_BASE;
} else if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_LIST)) {
segmentInfo = realRepresentation.SegmentList;
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_TIMELINE)) {
voRepresentation.segmentInfoType = _constantsDashConstants2['default'].SEGMENT_TIMELINE;
voRepresentation.useCalculatedLiveEdgeTime = isLastRepeatAttributeValid(segmentInfo.SegmentTimeline);
} else {
voRepresentation.segmentInfoType = _constantsDashConstants2['default'].SEGMENT_LIST;
voRepresentation.useCalculatedLiveEdgeTime = true;
}
} else if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_TEMPLATE)) {
segmentInfo = realRepresentation.SegmentTemplate;
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].SEGMENT_TIMELINE)) {
voRepresentation.segmentInfoType = _constantsDashConstants2['default'].SEGMENT_TIMELINE;
voRepresentation.useCalculatedLiveEdgeTime = isLastRepeatAttributeValid(segmentInfo.SegmentTimeline);
} else {
voRepresentation.segmentInfoType = _constantsDashConstants2['default'].SEGMENT_TEMPLATE;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].INITIALIZATION_MINUS)) {
voRepresentation.initialization = segmentInfo.initialization.split('$Bandwidth$').join(realRepresentation.bandwidth).split('$RepresentationID$').join(realRepresentation.id);
}
} else {
voRepresentation.segmentInfoType = _constantsDashConstants2['default'].BASE_URL;
}
voRepresentation.essentialProperties = getEssentialPropertiesForRepresentation(realRepresentation);
if (segmentInfo) {
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].INITIALIZATION)) {
var initialization = segmentInfo.Initialization;
if (initialization.hasOwnProperty(_constantsDashConstants2['default'].SOURCE_URL)) {
voRepresentation.initialization = initialization.sourceURL;
} else if (initialization.hasOwnProperty(_constantsDashConstants2['default'].RANGE)) {
voRepresentation.range = initialization.range;
// initialization source url will be determined from
// BaseURL when resolved at load time.
}
} else if (realRepresentation.hasOwnProperty(_constantsDashConstants2['default'].MIME_TYPE) && getIsTextTrack(realRepresentation.mimeType)) {
voRepresentation.range = 0;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].TIMESCALE)) {
voRepresentation.timescale = segmentInfo.timescale;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].DURATION)) {
// TODO according to the spec @maxSegmentDuration specifies the maximum duration of any Segment in any Representation in the Media Presentation
// It is also said that for a SegmentTimeline any @d value shall not exceed the value of MPD@maxSegmentDuration, but nothing is said about
// SegmentTemplate @duration attribute. We need to find out if @maxSegmentDuration should be used instead of calculated duration if the the duration
// exceeds @maxSegmentDuration
//representation.segmentDuration = Math.min(segmentInfo.duration / representation.timescale, adaptation.period.mpd.maxSegmentDuration);
voRepresentation.segmentDuration = segmentInfo.duration / voRepresentation.timescale;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].MEDIA)) {
voRepresentation.media = segmentInfo.media;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].START_NUMBER)) {
voRepresentation.startNumber = segmentInfo.startNumber;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].INDEX_RANGE)) {
voRepresentation.indexRange = segmentInfo.indexRange;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].PRESENTATION_TIME_OFFSET)) {
voRepresentation.presentationTimeOffset = segmentInfo.presentationTimeOffset / voRepresentation.timescale;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_TIME_OFFSET)) {
voRepresentation.availabilityTimeOffset = segmentInfo.availabilityTimeOffset;
} else if (baseUrl && baseUrl.availabilityTimeOffset !== undefined) {
voRepresentation.availabilityTimeOffset = baseUrl.availabilityTimeOffset;
}
if (segmentInfo.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_TIME_COMPLETE)) {
voRepresentation.availabilityTimeComplete = segmentInfo.availabilityTimeComplete !== 'false';
} else if (baseUrl && baseUrl.availabilityTimeComplete !== undefined) {
voRepresentation.availabilityTimeComplete = baseUrl.availabilityTimeComplete;
}
}
voRepresentation.MSETimeOffset = timelineConverter.calcMSETimeOffset(voRepresentation);
voRepresentation.path = [voAdaptation.period.index, voAdaptation.index, i];
voRepresentations.push(voRepresentation);
}
}
return voRepresentations;
}
function getAdaptationsForPeriod(voPeriod) {
var realPeriod = voPeriod && isInteger(voPeriod.index) ? voPeriod.mpd.manifest.Period_asArray[voPeriod.index] : null;
var voAdaptations = [];
var voAdaptationSet = undefined,
realAdaptationSet = undefined,
i = undefined;
if (realPeriod && realPeriod.AdaptationSet_asArray) {
for (i = 0; i < realPeriod.AdaptationSet_asArray.length; i++) {
realAdaptationSet = realPeriod.AdaptationSet_asArray[i];
voAdaptationSet = new _voAdaptationSet2['default']();
if (realAdaptationSet.hasOwnProperty(_constantsDashConstants2['default'].ID)) {
voAdaptationSet.id = realAdaptationSet.id;
}
voAdaptationSet.index = i;
voAdaptationSet.period = voPeriod;
if (getIsMuxed(realAdaptationSet)) {
voAdaptationSet.type = _streamingConstantsConstants2['default'].MUXED;
} else if (getIsAudio(realAdaptationSet)) {
voAdaptationSet.type = _streamingConstantsConstants2['default'].AUDIO;
} else if (getIsVideo(realAdaptationSet)) {
voAdaptationSet.type = _streamingConstantsConstants2['default'].VIDEO;
} else if (getIsFragmentedText(realAdaptationSet)) {
voAdaptationSet.type = _streamingConstantsConstants2['default'].FRAGMENTED_TEXT;
} else if (getIsImage(realAdaptationSet)) {
voAdaptationSet.type = _streamingConstantsConstants2['default'].IMAGE;
} else {
voAdaptationSet.type = _streamingConstantsConstants2['default'].TEXT;
}
voAdaptations.push(voAdaptationSet);
}
}
return voAdaptations;
}
function getRegularPeriods(mpd) {
var isDynamic = mpd ? getIsDynamic(mpd.manifest) : false;
var voPeriods = [];
var realPreviousPeriod = null;
var realPeriod = null;
var voPreviousPeriod = null;
var voPeriod = null;
var len = undefined,
i = undefined;
for (i = 0, len = mpd && mpd.manifest && mpd.manifest.Period_asArray ? mpd.manifest.Period_asArray.length : 0; i < len; i++) {
realPeriod = mpd.manifest.Period_asArray[i];
// If the attribute @start is present in the Period, then the
// Period is a regular Period and the PeriodStart is equal
// to the value of this attribute.
if (realPeriod.hasOwnProperty(_constantsDashConstants2['default'].START)) {
voPeriod = new _voPeriod2['default']();
voPeriod.start = realPeriod.start;
}
// If the @start attribute is absent, but the previous Period
// element contains a @duration attribute then then this new
// Period is also a regular Period. The start time of the new
// Period PeriodStart is the sum of the start time of the previous
// Period PeriodStart and the value of the attribute @duration
// of the previous Period.
else if (realPreviousPeriod !== null && realPreviousPeriod.hasOwnProperty(_constantsDashConstants2['default'].DURATION) && voPreviousPeriod !== null) {
voPeriod = new _voPeriod2['default']();
voPeriod.start = parseFloat((voPreviousPeriod.start + voPreviousPeriod.duration).toFixed(5));
}
// If (i) @start attribute is absent, and (ii) the Period element
// is the first in the MPD, and (iii) the MPD@type is 'static',
// then the PeriodStart time shall be set to zero.
else if (i === 0 && !isDynamic) {
voPeriod = new _voPeriod2['default']();
voPeriod.start = 0;
}
// The Period extends until the PeriodStart of the next Period.
// The difference between the PeriodStart time of a Period and
// the PeriodStart time of the following Period.
if (voPreviousPeriod !== null && isNaN(voPreviousPeriod.duration)) {
if (voPeriod !== null) {
voPreviousPeriod.duration = parseFloat((voPeriod.start - voPreviousPeriod.start).toFixed(5));
} else {
logger.warn('First period duration could not be calculated because lack of start and duration period properties. This will cause timing issues during playback');
}
}
if (voPeriod !== null) {
voPeriod.id = getPeriodId(realPeriod, i);
voPeriod.index = i;
voPeriod.mpd = mpd;
if (realPeriod.hasOwnProperty(_constantsDashConstants2['default'].DURATION)) {
voPeriod.duration = realPeriod.duration;
}
voPeriods.push(voPeriod);
realPreviousPeriod = realPeriod;
voPreviousPeriod = voPeriod;
}
realPeriod = null;
voPeriod = null;
}
if (voPeriods.length === 0) {
return voPeriods;
}
// The last Period extends until the end of the Media Presentation.
// The difference between the PeriodStart time of the last Period
// and the mpd duration
if (voPreviousPeriod !== null && isNaN(voPreviousPeriod.duration)) {
voPreviousPeriod.duration = parseFloat((getEndTimeForLastPeriod(voPreviousPeriod) - voPreviousPeriod.start).toFixed(5));
}
return voPeriods;
}
function getPeriodId(realPeriod, i) {
if (!realPeriod) {
throw new Error('Period cannot be null or undefined');
}
var id = _voPeriod2['default'].DEFAULT_ID + '_' + i;
if (realPeriod.hasOwnProperty(_constantsDashConstants2['default'].ID) && realPeriod.id.length > 0 && realPeriod.id !== '__proto__') {
id = realPeriod.id;
}
return id;
}
function getMpd(manifest) {
var mpd = new _voMpd2['default']();
if (manifest) {
mpd.manifest = manifest;
if (manifest.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_START_TIME)) {
mpd.availabilityStartTime = new Date(manifest.availabilityStartTime.getTime());
} else {
mpd.availabilityStartTime = new Date(manifest.loadedTime.getTime());
}
if (manifest.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_END_TIME)) {
mpd.availabilityEndTime = new Date(manifest.availabilityEndTime.getTime());
}
if (manifest.hasOwnProperty(_constantsDashConstants2['default'].MINIMUM_UPDATE_PERIOD)) {
mpd.minimumUpdatePeriod = manifest.minimumUpdatePeriod;
}
if (manifest.hasOwnProperty(_constantsDashConstants2['default'].MEDIA_PRESENTATION_DURATION)) {
mpd.mediaPresentationDuration = manifest.mediaPresentationDuration;
}
if (manifest.hasOwnProperty(_streamingConstantsConstants2['default'].SUGGESTED_PRESENTATION_DELAY)) {
mpd.suggestedPresentationDelay = manifest.suggestedPresentationDelay;
}
if (manifest.hasOwnProperty(_constantsDashConstants2['default'].TIMESHIFT_BUFFER_DEPTH)) {
mpd.timeShiftBufferDepth = manifest.timeShiftBufferDepth;
}
if (manifest.hasOwnProperty(_constantsDashConstants2['default'].MAX_SEGMENT_DURATION)) {
mpd.maxSegmentDuration = manifest.maxSegmentDuration;
}
}
return mpd;
}
function getEndTimeForLastPeriod(voPeriod) {
var isDynamic = getIsDynamic(voPeriod.mpd.manifest);
var periodEnd = undefined;
if (voPeriod.mpd.manifest.mediaPresentationDuration) {
periodEnd = voPeriod.mpd.manifest.mediaPresentationDuration;
} else if (voPeriod.duration) {
periodEnd = voPeriod.duration;
} else if (isDynamic) {
periodEnd = Number.POSITIVE_INFINITY;
} else {
throw new Error('Must have @mediaPresentationDuration on MPD or an explicit @duration on the last period.');
}
return periodEnd;
}
function getEventsForPeriod(period) {
var manifest = period && period.mpd && period.mpd.manifest ? period.mpd.manifest : null;
var periodArray = manifest ? manifest.Period_asArray : null;
var eventStreams = periodArray && period && isInteger(period.index) ? periodArray[period.index].EventStream_asArray : null;
var events = [];
var i = undefined,
j = undefined;
if (eventStreams) {
for (i = 0; i < eventStreams.length; i++) {
var eventStream = new _voEventStream2['default']();
eventStream.period = period;
eventStream.timescale = 1;
if (eventStreams[i].hasOwnProperty(_streamingConstantsConstants2['default'].SCHEME_ID_URI)) {
eventStream.schemeIdUri = eventStreams[i].schemeIdUri;
} else {
throw new Error('Invalid EventStream. SchemeIdUri has to be set');
}
if (eventStreams[i].hasOwnProperty(_constantsDashConstants2['default'].TIMESCALE)) {
eventStream.timescale = eventStreams[i].timescale;
}
if (eventStreams[i].hasOwnProperty(_constantsDashConstants2['default'].VALUE)) {
eventStream.value = eventStreams[i].value;
}
for (j = 0; j < eventStreams[i].Event_asArray.length; j++) {
var _event = new _voEvent2['default']();
_event.presentationTime = 0;
_event.eventStream = eventStream;
if (eventStreams[i].Event_asArray[j].hasOwnProperty(_constantsDashConstants2['default'].PRESENTATION_TIME)) {
_event.presentationTime = eventStreams[i].Event_asArray[j].presentationTime;
}
if (eventStreams[i].Event_asArray[j].hasOwnProperty(_constantsDashConstants2['default'].DURATION)) {
_event.duration = eventStreams[i].Event_asArray[j].duration;
}
if (eventStreams[i].Event_asArray[j].hasOwnProperty(_constantsDashConstants2['default'].ID)) {
_event.id = eventStreams[i].Event_asArray[j].id;
}
// From Cor.1: 'NOTE: this attribute is an alternative
// to specifying a complete XML element(s) in the Event.
// It is useful when an event leans itself to a compact
// string representation'.
_event.messageData = eventStreams[i].Event_asArray[j].messageData || eventStreams[i].Event_asArray[j].__text;
events.push(_event);
}
}
}
return events;
}
function getEventStreams(inbandStreams, representation) {
var eventStreams = [];
var i = undefined;
if (!inbandStreams) return eventStreams;
for (i = 0; i < inbandStreams.length; i++) {
var eventStream = new _voEventStream2['default']();
eventStream.timescale = 1;
eventStream.representation = representation;
if (inbandStreams[i].hasOwnProperty(_streamingConstantsConstants2['default'].SCHEME_ID_URI)) {
eventStream.schemeIdUri = inbandStreams[i].schemeIdUri;
} else {
throw new Error('Invalid EventStream. SchemeIdUri has to be set');
}
if (inbandStreams[i].hasOwnProperty(_constantsDashConstants2['default'].TIMESCALE)) {
eventStream.timescale = inbandStreams[i].timescale;
}
if (inbandStreams[i].hasOwnProperty(_constantsDashConstants2['default'].VALUE)) {
eventStream.value = inbandStreams[i].value;
}
eventStreams.push(eventStream);
}
return eventStreams;
}
function getEventStreamForAdaptationSet(manifest, adaptation) {
var inbandStreams = undefined,
periodArray = undefined,
adaptationArray = undefined;
if (manifest && manifest.Period_asArray && adaptation && adaptation.period && isInteger(adaptation.period.index)) {
periodArray = manifest.Period_asArray[adaptation.period.index];
if (periodArray && periodArray.AdaptationSet_asArray && isInteger(adaptation.index)) {
adaptationArray = periodArray.AdaptationSet_asArray[adaptation.index];
if (adaptationArray) {
inbandStreams = adaptationArray.InbandEventStream_asArray;
}
}
}
return getEventStreams(inbandStreams, null);
}
function getEventStreamForRepresentation(manifest, representation) {
var inbandStreams = undefined,
periodArray = undefined,
adaptationArray = undefined,
representationArray = undefined;
if (manifest && manifest.Period_asArray && representation && representation.adaptation && representation.adaptation.period && isInteger(representation.adaptation.period.index)) {
periodArray = manifest.Period_asArray[representation.adaptation.period.index];
if (periodArray && periodArray.AdaptationSet_asArray && isInteger(representation.adaptation.index)) {
adaptationArray = periodArray.AdaptationSet_asArray[representation.adaptation.index];
if (adaptationArray && adaptationArray.Representation_asArray && isInteger(representation.index)) {
representationArray = adaptationArray.Representation_asArray[representation.index];
if (representationArray) {
inbandStreams = representationArray.InbandEventStream_asArray;
}
}
}
}
return getEventStreams(inbandStreams, representation);
}
function getUTCTimingSources(manifest) {
var isDynamic = getIsDynamic(manifest);
var hasAST = manifest ? manifest.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_START_TIME) : false;
var utcTimingsArray = manifest ? manifest.UTCTiming_asArray : null;
var utcTimingEntries = [];
// do not bother synchronizing the clock unless MPD is live,
// or it is static and has availabilityStartTime attribute
if (isDynamic || hasAST) {
if (utcTimingsArray) {
// the order is important here - 23009-1 states that the order
// in the manifest "indicates relative preference, first having
// the highest, and the last the lowest priority".
utcTimingsArray.forEach(function (utcTiming) {
var entry = new _voUTCTiming2['default']();
if (utcTiming.hasOwnProperty(_streamingConstantsConstants2['default'].SCHEME_ID_URI)) {
entry.schemeIdUri = utcTiming.schemeIdUri;
} else {
// entries of type DescriptorType with no schemeIdUri
// are meaningless. let's just ignore this entry and
// move on.
return;
}
// this is (incorrectly) interpreted as a number - schema
// defines it as a string
if (utcTiming.hasOwnProperty(_constantsDashConstants2['default'].VALUE)) {
entry.value = utcTiming.value.toString();
} else {
// without a value, there's not a lot we can do with
// this entry. let's just ignore this one and move on
return;
}
// we're not interested in the optional id or any other
// attributes which might be attached to the entry
utcTimingEntries.push(entry);
});
}
}
return utcTimingEntries;
}
function getBaseURLsFromElement(node) {
var baseUrls = [];
// if node.BaseURL_asArray and node.baseUri are undefined entries
// will be [undefined] which entries.some will just skip
var entries = node.BaseURL_asArray || [node.baseUri];
var earlyReturn = false;
entries.some(function (entry) {
if (entry) {
var baseUrl = new _voBaseURL2['default']();
var text = entry.__text || entry;
if (urlUtils.isRelative(text)) {
// it doesn't really make sense to have relative and
// absolute URLs at the same level, or multiple
// relative URLs at the same level, so assume we are
// done from this level of the MPD
earlyReturn = true;
// deal with the specific case where the MPD@BaseURL
// is specified and is relative. when no MPD@BaseURL
// entries exist, that case is handled by the
// [node.baseUri] in the entries definition.
if (node.baseUri) {
text = urlUtils.resolve(text, node.baseUri);
}
}
baseUrl.url = text;
// serviceLocation is optional, but we need it in order
// to blacklist correctly. if it's not available, use
// anything unique since there's no relationship to any
// other BaseURL and, in theory, the url should be
// unique so use this instead.
if (entry.hasOwnProperty(_constantsDashConstants2['default'].SERVICE_LOCATION) && entry.serviceLocation.length) {
baseUrl.serviceLocation = entry.serviceLocation;
} else {
baseUrl.serviceLocation = text;
}
if (entry.hasOwnProperty(_constantsDashConstants2['default'].DVB_PRIORITY)) {
baseUrl.dvb_priority = entry[_constantsDashConstants2['default'].DVB_PRIORITY];
}
if (entry.hasOwnProperty(_constantsDashConstants2['default'].DVB_WEIGHT)) {
baseUrl.dvb_weight = entry[_constantsDashConstants2['default'].DVB_WEIGHT];
}
if (entry.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_TIME_OFFSET)) {
baseUrl.availabilityTimeOffset = entry[_constantsDashConstants2['default'].AVAILABILITY_TIME_OFFSET];
}
if (entry.hasOwnProperty(_constantsDashConstants2['default'].AVAILABILITY_TIME_COMPLETE)) {
baseUrl.availabilityTimeComplete = entry[_constantsDashConstants2['default'].AVAILABILITY_TIME_COMPLETE] !== 'false';
}
/* NOTE: byteRange currently unused
*/
baseUrls.push(baseUrl);
return earlyReturn;
}
});
return baseUrls;
}
function getLocation(manifest) {
if (manifest && manifest.hasOwnProperty(_streamingConstantsConstants2['default'].LOCATION)) {
// for now, do not support multiple Locations -
// just set Location to the first Location.
manifest.Location = manifest.Location_asArray[0];
return manifest.Location;
}
// may well be undefined
return undefined;
}
instance = {
getIsTypeOf: getIsTypeOf,
getIsAudio: getIsAudio,
getIsVideo: getIsVideo,
getIsText: getIsText,
getIsMuxed: getIsMuxed,
getIsTextTrack: getIsTextTrack,
getIsFragmentedText: getIsFragmentedText,
getIsImage: getIsImage,
getIsMain: getIsMain,
getLanguageForAdaptation: getLanguageForAdaptation,
getViewpointForAdaptation: getViewpointForAdaptation,
getRolesForAdaptation: getRolesForAdaptation,
getAccessibilityForAdaptation: getAccessibilityForAdaptation,
getAudioChannelConfigurationForAdaptation: getAudioChannelConfigurationForAdaptation,
getAdaptationForIndex: getAdaptationForIndex,
getIndexForAdaptation: getIndexForAdaptation,
getAdaptationForId: getAdaptationForId,
getAdaptationsForType: getAdaptationsForType,
getAdaptationForType: getAdaptationForType,
getCodec: getCodec,
getMimeType: getMimeType,
getKID: getKID,
getContentProtectionData: getContentProtectionData,
getIsDynamic: getIsDynamic,
getIsDVB: getIsDVB,
getDuration: getDuration,
getBandwidth: getBandwidth,
getManifestUpdatePeriod: getManifestUpdatePeriod,
getRepresentationCount: getRepresentationCount,
getBitrateListForAdaptation: getBitrateListForAdaptation,
getRepresentationFor: getRepresentationFor,
getRepresentationsForAdaptation: getRepresentationsForAdaptation,
getAdaptationsForPeriod: getAdaptationsForPeriod,
getRegularPeriods: getRegularPeriods,
getMpd: getMpd,
getEventsForPeriod: getEventsForPeriod,
getEventStreamForAdaptationSet: getEventStreamForAdaptationSet,
getEventStreamForRepresentation: getEventStreamForRepresentation,
getUTCTimingSources: getUTCTimingSources,
getBaseURLsFromElement: getBaseURLsFromElement,
getRepresentationSortFunction: getRepresentationSortFunction,
getLocation: getLocation,
getUseCalculatedLiveEdgeTimeForAdaptation: getUseCalculatedLiveEdgeTimeForAdaptation
};
setup();
return instance;
}
DashManifestModel.__dashjs_factory_name = 'DashManifestModel';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(DashManifestModel);
module.exports = exports['default'];
},{"155":155,"158":158,"45":45,"47":47,"57":57,"79":79,"80":80,"81":81,"82":82,"83":83,"84":84,"85":85,"87":87,"98":98}],60:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _objectiron = _dereq_(70);
var _objectiron2 = _interopRequireDefault(_objectiron);
var _externalsXml2json = _dereq_(3);
var _externalsXml2json2 = _interopRequireDefault(_externalsXml2json);
var _matchersStringMatcher = _dereq_(69);
var _matchersStringMatcher2 = _interopRequireDefault(_matchersStringMatcher);
var _matchersDurationMatcher = _dereq_(67);
var _matchersDurationMatcher2 = _interopRequireDefault(_matchersDurationMatcher);
var _matchersDateTimeMatcher = _dereq_(66);
var _matchersDateTimeMatcher2 = _interopRequireDefault(_matchersDateTimeMatcher);
var _matchersNumericMatcher = _dereq_(68);
var _matchersNumericMatcher2 = _interopRequireDefault(_matchersNumericMatcher);
var _mapsRepresentationBaseValuesMap = _dereq_(63);
var _mapsRepresentationBaseValuesMap2 = _interopRequireDefault(_mapsRepresentationBaseValuesMap);
var _mapsSegmentValuesMap = _dereq_(64);
var _mapsSegmentValuesMap2 = _interopRequireDefault(_mapsSegmentValuesMap);
function DashParser() {
var context = this.context;
var instance = undefined,
logger = undefined,
matchers = undefined,
converter = undefined,
objectIron = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
matchers = [new _matchersDurationMatcher2['default'](), new _matchersDateTimeMatcher2['default'](), new _matchersNumericMatcher2['default'](), new _matchersStringMatcher2['default']() // last in list to take precedence over NumericMatcher
];
converter = new _externalsXml2json2['default']({
escapeMode: false,
attributePrefix: '',
arrayAccessForm: 'property',
emptyNodeForm: 'object',
stripWhitespaces: false,
enableToStringFunc: false,
ignoreRoot: true,
matchers: matchers
});
objectIron = (0, _objectiron2['default'])(context).create({
adaptationset: new _mapsRepresentationBaseValuesMap2['default'](),
period: new _mapsSegmentValuesMap2['default']()
});
}
function getMatchers() {
return matchers;
}
function getIron() {
return objectIron;
}
function parse(data) {
var manifest = undefined;
var startTime = window.performance.now();
manifest = converter.xml_str2json(data);
if (!manifest) {
throw new Error('parsing the manifest failed');
}
var jsonTime = window.performance.now();
objectIron.run(manifest);
var ironedTime = window.performance.now();
logger.info('Parsing complete: ( xml2json: ' + (jsonTime - startTime).toPrecision(3) + 'ms, objectiron: ' + (ironedTime - jsonTime).toPrecision(3) + 'ms, total: ' + ((ironedTime - startTime) / 1000).toPrecision(3) + 's)');
return manifest;
}
instance = {
parse: parse,
getMatchers: getMatchers,
getIron: getIron
};
setup();
return instance;
}
DashParser.__dashjs_factory_name = 'DashParser';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(DashParser);
module.exports = exports['default'];
},{"3":3,"45":45,"47":47,"63":63,"64":64,"66":66,"67":67,"68":68,"69":69,"70":70}],61:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc a property belonging to a MapNode
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var CommonProperty = (function () {
function CommonProperty(name) {
_classCallCheck(this, CommonProperty);
var getDefaultMergeForName = function getDefaultMergeForName(n) {
return n && n.length && n.charAt(0) === n.charAt(0).toUpperCase();
};
this._name = name;
this._merge = getDefaultMergeForName(name);
}
_createClass(CommonProperty, [{
key: "name",
get: function get() {
return this._name;
}
}, {
key: "merge",
get: function get() {
return this._merge;
}
}]);
return CommonProperty;
})();
exports["default"] = CommonProperty;
module.exports = exports["default"];
},{}],62:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc a node at some level in a ValueMap
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var _CommonProperty = _dereq_(61);
var _CommonProperty2 = _interopRequireDefault(_CommonProperty);
var MapNode = (function () {
function MapNode(name, properties, children) {
var _this = this;
_classCallCheck(this, MapNode);
this._name = name || '';
this._properties = [];
this._children = children || [];
if (Array.isArray(properties)) {
properties.forEach(function (p) {
_this._properties.push(new _CommonProperty2['default'](p));
});
}
}
_createClass(MapNode, [{
key: 'name',
get: function get() {
return this._name;
}
}, {
key: 'children',
get: function get() {
return this._children;
}
}, {
key: 'properties',
get: function get() {
return this._properties;
}
}]);
return MapNode;
})();
exports['default'] = MapNode;
module.exports = exports['default'];
},{"61":61}],63:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc a RepresentationBaseValuesMap type for input to objectiron
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _MapNode2 = _dereq_(62);
var _MapNode3 = _interopRequireDefault(_MapNode2);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var RepresentationBaseValuesMap = (function (_MapNode) {
_inherits(RepresentationBaseValuesMap, _MapNode);
function RepresentationBaseValuesMap() {
_classCallCheck(this, RepresentationBaseValuesMap);
var commonProperties = [_constantsDashConstants2['default'].PROFILES, _constantsDashConstants2['default'].WIDTH, _constantsDashConstants2['default'].HEIGHT, _constantsDashConstants2['default'].SAR, _constantsDashConstants2['default'].FRAMERATE, _constantsDashConstants2['default'].AUDIO_SAMPLING_RATE, _constantsDashConstants2['default'].MIME_TYPE, _constantsDashConstants2['default'].SEGMENT_PROFILES, _constantsDashConstants2['default'].CODECS, _constantsDashConstants2['default'].MAXIMUM_SAP_PERIOD, _constantsDashConstants2['default'].START_WITH_SAP, _constantsDashConstants2['default'].MAX_PLAYOUT_RATE, _constantsDashConstants2['default'].CODING_DEPENDENCY, _constantsDashConstants2['default'].SCAN_TYPE, _constantsDashConstants2['default'].FRAME_PACKING, _constantsDashConstants2['default'].AUDIO_CHANNEL_CONFIGURATION, _constantsDashConstants2['default'].CONTENT_PROTECTION, _constantsDashConstants2['default'].ESSENTIAL_PROPERTY, _constantsDashConstants2['default'].SUPPLEMENTAL_PROPERTY, _constantsDashConstants2['default'].INBAND_EVENT_STREAM];
_get(Object.getPrototypeOf(RepresentationBaseValuesMap.prototype), 'constructor', this).call(this, _constantsDashConstants2['default'].ADAPTATION_SET, commonProperties, [new _MapNode3['default'](_constantsDashConstants2['default'].REPRESENTATION, commonProperties, [new _MapNode3['default'](_constantsDashConstants2['default'].SUB_REPRESENTATION, commonProperties)])]);
}
return RepresentationBaseValuesMap;
})(_MapNode3['default']);
exports['default'] = RepresentationBaseValuesMap;
module.exports = exports['default'];
},{"57":57,"62":62}],64:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc a SegmentValuesMap type for input to objectiron
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _MapNode2 = _dereq_(62);
var _MapNode3 = _interopRequireDefault(_MapNode2);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var SegmentValuesMap = (function (_MapNode) {
_inherits(SegmentValuesMap, _MapNode);
function SegmentValuesMap() {
_classCallCheck(this, SegmentValuesMap);
var commonProperties = [_constantsDashConstants2['default'].SEGMENT_BASE, _constantsDashConstants2['default'].SEGMENT_TEMPLATE, _constantsDashConstants2['default'].SEGMENT_LIST];
_get(Object.getPrototypeOf(SegmentValuesMap.prototype), 'constructor', this).call(this, _constantsDashConstants2['default'].PERIOD, commonProperties, [new _MapNode3['default'](_constantsDashConstants2['default'].ADAPTATION_SET, commonProperties, [new _MapNode3['default'](_constantsDashConstants2['default'].REPRESENTATION, commonProperties)])]);
}
return SegmentValuesMap;
})(_MapNode3['default']);
exports['default'] = SegmentValuesMap;
module.exports = exports['default'];
},{"57":57,"62":62}],65:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc a base type for matching and converting types in manifest to
* something more useful
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var BaseMatcher = (function () {
function BaseMatcher(test, converter) {
_classCallCheck(this, BaseMatcher);
this._test = test;
this._converter = converter;
}
_createClass(BaseMatcher, [{
key: "test",
get: function get() {
return this._test;
}
}, {
key: "converter",
get: function get() {
return this._converter;
}
}]);
return BaseMatcher;
})();
exports["default"] = BaseMatcher;
module.exports = exports["default"];
},{}],66:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc matches and converts xs:datetime to Date
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _BaseMatcher2 = _dereq_(65);
var _BaseMatcher3 = _interopRequireDefault(_BaseMatcher2);
var SECONDS_IN_MIN = 60;
var MINUTES_IN_HOUR = 60;
var MILLISECONDS_IN_SECONDS = 1000;
var datetimeRegex = /^([0-9]{4})-([0-9]{2})-([0-9]{2})T([0-9]{2}):([0-9]{2})(?::([0-9]*)(\.[0-9]*)?)?(?:([+-])([0-9]{2})(?::?)([0-9]{2}))?/;
var DateTimeMatcher = (function (_BaseMatcher) {
_inherits(DateTimeMatcher, _BaseMatcher);
function DateTimeMatcher() {
_classCallCheck(this, DateTimeMatcher);
_get(Object.getPrototypeOf(DateTimeMatcher.prototype), 'constructor', this).call(this, function (attr) {
return datetimeRegex.test(attr.value);
}, function (str) {
var match = datetimeRegex.exec(str);
var utcDate = undefined;
// If the string does not contain a timezone offset different browsers can interpret it either
// as UTC or as a local time so we have to parse the string manually to normalize the given date value for
// all browsers
utcDate = Date.UTC(parseInt(match[1], 10), parseInt(match[2], 10) - 1, // months start from zero
parseInt(match[3], 10), parseInt(match[4], 10), parseInt(match[5], 10), match[6] && parseInt(match[6], 10) || 0, match[7] && parseFloat(match[7]) * MILLISECONDS_IN_SECONDS || 0);
// If the date has timezone offset take it into account as well
if (match[9] && match[10]) {
var timezoneOffset = parseInt(match[9], 10) * MINUTES_IN_HOUR + parseInt(match[10], 10);
utcDate += (match[8] === '+' ? -1 : +1) * timezoneOffset * SECONDS_IN_MIN * MILLISECONDS_IN_SECONDS;
}
return new Date(utcDate);
});
}
return DateTimeMatcher;
})(_BaseMatcher3['default']);
exports['default'] = DateTimeMatcher;
module.exports = exports['default'];
},{"65":65}],67:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc matches and converts xs:duration to seconds
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _BaseMatcher2 = _dereq_(65);
var _BaseMatcher3 = _interopRequireDefault(_BaseMatcher2);
var _streamingConstantsConstants = _dereq_(98);
var _streamingConstantsConstants2 = _interopRequireDefault(_streamingConstantsConstants);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var durationRegex = /^([-])?P(([\d.]*)Y)?(([\d.]*)M)?(([\d.]*)D)?T?(([\d.]*)H)?(([\d.]*)M)?(([\d.]*)S)?/;
var SECONDS_IN_YEAR = 365 * 24 * 60 * 60;
var SECONDS_IN_MONTH = 30 * 24 * 60 * 60;
var SECONDS_IN_DAY = 24 * 60 * 60;
var SECONDS_IN_HOUR = 60 * 60;
var SECONDS_IN_MIN = 60;
var DurationMatcher = (function (_BaseMatcher) {
_inherits(DurationMatcher, _BaseMatcher);
function DurationMatcher() {
_classCallCheck(this, DurationMatcher);
_get(Object.getPrototypeOf(DurationMatcher.prototype), 'constructor', this).call(this, function (attr) {
var attributeList = [_constantsDashConstants2['default'].MIN_BUFFER_TIME, _constantsDashConstants2['default'].MEDIA_PRESENTATION_DURATION, _constantsDashConstants2['default'].MINIMUM_UPDATE_PERIOD, _constantsDashConstants2['default'].TIMESHIFT_BUFFER_DEPTH, _constantsDashConstants2['default'].MAX_SEGMENT_DURATION, _constantsDashConstants2['default'].MAX_SUBSEGMENT_DURATION, _streamingConstantsConstants2['default'].SUGGESTED_PRESENTATION_DELAY, _constantsDashConstants2['default'].START, _streamingConstantsConstants2['default'].START_TIME, _constantsDashConstants2['default'].DURATION];
var len = attributeList.length;
for (var i = 0; i < len; i++) {
if (attr.nodeName === attributeList[i]) {
return durationRegex.test(attr.value);
}
}
return false;
}, function (str) {
//str = "P10Y10M10DT10H10M10.1S";
var match = durationRegex.exec(str);
var result = parseFloat(match[2] || 0) * SECONDS_IN_YEAR + parseFloat(match[4] || 0) * SECONDS_IN_MONTH + parseFloat(match[6] || 0) * SECONDS_IN_DAY + parseFloat(match[8] || 0) * SECONDS_IN_HOUR + parseFloat(match[10] || 0) * SECONDS_IN_MIN + parseFloat(match[12] || 0);
if (match[1] !== undefined) {
result = -result;
}
return result;
});
}
return DurationMatcher;
})(_BaseMatcher3['default']);
exports['default'] = DurationMatcher;
module.exports = exports['default'];
},{"57":57,"65":65,"98":98}],68:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc Matches and converts xs:numeric to float
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _BaseMatcher2 = _dereq_(65);
var _BaseMatcher3 = _interopRequireDefault(_BaseMatcher2);
var numericRegex = /^[-+]?[0-9]+[.]?[0-9]*([eE][-+]?[0-9]+)?$/;
var NumericMatcher = (function (_BaseMatcher) {
_inherits(NumericMatcher, _BaseMatcher);
function NumericMatcher() {
_classCallCheck(this, NumericMatcher);
_get(Object.getPrototypeOf(NumericMatcher.prototype), 'constructor', this).call(this, function (attr) {
return numericRegex.test(attr.value);
}, function (str) {
return parseFloat(str);
});
}
return NumericMatcher;
})(_BaseMatcher3['default']);
exports['default'] = NumericMatcher;
module.exports = exports['default'];
},{"65":65}],69:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc Matches and converts xs:string to string, but only for specific attributes on specific nodes
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _BaseMatcher2 = _dereq_(65);
var _BaseMatcher3 = _interopRequireDefault(_BaseMatcher2);
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var StringMatcher = (function (_BaseMatcher) {
_inherits(StringMatcher, _BaseMatcher);
function StringMatcher() {
_classCallCheck(this, StringMatcher);
_get(Object.getPrototypeOf(StringMatcher.prototype), 'constructor', this).call(this, function (attr, nodeName) {
var _stringAttrsInElements;
var stringAttrsInElements = (_stringAttrsInElements = {}, _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].MPD, [_constantsDashConstants2['default'].ID, _constantsDashConstants2['default'].PROFILES]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].PERIOD, [_constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].BASE_URL, [_constantsDashConstants2['default'].SERVICE_LOCATION, _constantsDashConstants2['default'].BYTE_RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].SEGMENT_BASE, [_constantsDashConstants2['default'].INDEX_RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].INITIALIZATION, [_constantsDashConstants2['default'].RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].REPRESENTATION_INDEX, [_constantsDashConstants2['default'].RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].SEGMENT_LIST, [_constantsDashConstants2['default'].INDEX_RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].BITSTREAM_SWITCHING, [_constantsDashConstants2['default'].RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].SEGMENT_URL, [_constantsDashConstants2['default'].MEDIA_RANGE, _constantsDashConstants2['default'].INDEX_RANGE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].SEGMENT_TEMPLATE, [_constantsDashConstants2['default'].INDEX_RANGE, _constantsDashConstants2['default'].MEDIA, _constantsDashConstants2['default'].INDEX, _constantsDashConstants2['default'].INITIALIZATION_MINUS, _constantsDashConstants2['default'].BITSTREAM_SWITCHING_MINUS]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].ASSET_IDENTIFIER, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].EVENT_STREAM, [_constantsDashConstants2['default'].VALUE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].ADAPTATION_SET, [_constantsDashConstants2['default'].PROFILES, _constantsDashConstants2['default'].MIME_TYPE, _constantsDashConstants2['default'].SEGMENT_PROFILES, _constantsDashConstants2['default'].CODECS, _constantsDashConstants2['default'].CONTENT_TYPE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].FRAME_PACKING, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].AUDIO_CHANNEL_CONFIGURATION, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].CONTENT_PROTECTION, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].ESSENTIAL_PROPERTY, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].SUPPLEMENTAL_PROPERTY, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].INBAND_EVENT_STREAM, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].ACCESSIBILITY, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].ROLE, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].RATING, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].VIEWPOINT, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].CONTENT_COMPONENT, [_constantsDashConstants2['default'].CONTENT_TYPE]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].REPRESENTATION, [_constantsDashConstants2['default'].ID, _constantsDashConstants2['default'].DEPENDENCY_ID, _constantsDashConstants2['default'].MEDIA_STREAM_STRUCTURE_ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].SUBSET, [_constantsDashConstants2['default'].ID]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].METRICS, [_constantsDashConstants2['default'].METRICS_MINUS]), _defineProperty(_stringAttrsInElements, _constantsDashConstants2['default'].REPORTING, [_constantsDashConstants2['default'].VALUE, _constantsDashConstants2['default'].ID]), _stringAttrsInElements);
if (stringAttrsInElements.hasOwnProperty(nodeName)) {
var attrNames = stringAttrsInElements[nodeName];
if (attrNames !== undefined) {
return attrNames.indexOf(attr.name) >= 0;
} else {
return false;
}
}
return false;
}, function (str) {
return String(str);
});
}
return StringMatcher;
})(_BaseMatcher3['default']);
exports['default'] = StringMatcher;
module.exports = exports['default'];
},{"57":57,"65":65}],70:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function ObjectIron(mappers) {
function mergeValues(parentItem, childItem) {
for (var _name in parentItem) {
if (!childItem.hasOwnProperty(_name)) {
childItem[_name] = parentItem[_name];
}
}
}
function mapProperties(properties, parent, child) {
for (var i = 0, len = properties.length; i < len; ++i) {
var property = properties[i];
if (parent[property.name]) {
if (child[property.name]) {
// check to see if we should merge
if (property.merge) {
var parentValue = parent[property.name];
var childValue = child[property.name];
// complex objects; merge properties
if (typeof parentValue === 'object' && typeof childValue === 'object') {
mergeValues(parentValue, childValue);
}
// simple objects; merge them together
else {
child[property.name] = parentValue + childValue;
}
}
} else {
// just add the property
child[property.name] = parent[property.name];
}
}
}
}
function mapItem(item, node) {
for (var i = 0, len = item.children.length; i < len; ++i) {
var childItem = item.children[i];
var array = node[childItem.name + '_asArray'];
if (array) {
for (var v = 0, len2 = array.length; v < len2; ++v) {
var childNode = array[v];
mapProperties(item.properties, node, childNode);
mapItem(childItem, childNode);
}
}
}
}
function run(source) {
if (source === null || typeof source !== 'object') {
return source;
}
if ('period' in mappers) {
var periodMapper = mappers.period;
var periods = source.Period_asArray;
for (var i = 0, len = periods.length; i < len; ++i) {
var period = periods[i];
mapItem(periodMapper, period);
if ('adaptationset' in mappers) {
var adaptationSets = period.AdaptationSet_asArray;
if (adaptationSets) {
var adaptationSetMapper = mappers.adaptationset;
for (var _i = 0, _len = adaptationSets.length; _i < _len; ++_i) {
mapItem(adaptationSetMapper, adaptationSets[_i]);
}
}
}
}
}
return source;
}
return {
run: run
};
}
ObjectIron.__dashjs_factory_name = 'ObjectIron';
var factory = _coreFactoryMaker2['default'].getClassFactory(ObjectIron);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47}],71:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function FragmentedTextBoxParser() {
var instance = undefined,
boxParser = undefined;
function setConfig(config) {
if (!config) return;
if (config.boxParser) {
boxParser = config.boxParser;
}
}
function getSamplesInfo(ab) {
if (!boxParser) {
throw new Error('boxParser is undefined');
}
if (!ab || ab.byteLength === 0) {
return { sampleList: [], lastSequenceNumber: NaN, totalDuration: NaN, numSequences: NaN };
}
var isoFile = boxParser.parse(ab);
// zero or more moofs
var moofBoxes = isoFile.getBoxes('moof');
// exactly one mfhd per moof
var mfhdBoxes = isoFile.getBoxes('mfhd');
var sampleDuration = undefined,
sampleCompositionTimeOffset = undefined,
sampleCount = undefined,
sampleSize = undefined,
sampleDts = undefined,
sampleList = undefined,
sample = undefined,
i = undefined,
j = undefined,
k = undefined,
l = undefined,
m = undefined,
n = undefined,
dataOffset = undefined,
lastSequenceNumber = undefined,
numSequences = undefined,
totalDuration = undefined;
numSequences = isoFile.getBoxes('moof').length;
lastSequenceNumber = mfhdBoxes[mfhdBoxes.length - 1].sequence_number;
sampleCount = 0;
sampleList = [];
var subsIndex = -1;
var nextSubsSample = -1;
for (l = 0; l < moofBoxes.length; l++) {
var moofBox = moofBoxes[l];
// zero or more trafs per moof
var trafBoxes = moofBox.getChildBoxes('traf');
for (j = 0; j < trafBoxes.length; j++) {
var trafBox = trafBoxes[j];
// exactly one tfhd per traf
var tfhdBox = trafBox.getChildBox('tfhd');
// zero or one tfdt per traf
var tfdtBox = trafBox.getChildBox('tfdt');
sampleDts = tfdtBox.baseMediaDecodeTime;
// zero or more truns per traf
var trunBoxes = trafBox.getChildBoxes('trun');
// zero or more subs per traf
var subsBoxes = trafBox.getChildBoxes('subs');
for (k = 0; k < trunBoxes.length; k++) {
var trunBox = trunBoxes[k];
sampleCount = trunBox.sample_count;
dataOffset = (tfhdBox.base_data_offset || 0) + (trunBox.data_offset || 0);
for (i = 0; i < sampleCount; i++) {
sample = trunBox.samples[i];
sampleDuration = sample.sample_duration !== undefined ? sample.sample_duration : tfhdBox.default_sample_duration;
sampleSize = sample.sample_size !== undefined ? sample.sample_size : tfhdBox.default_sample_size;
sampleCompositionTimeOffset = sample.sample_composition_time_offset !== undefined ? sample.sample_composition_time_offset : 0;
var sampleData = {
'dts': sampleDts,
'cts': sampleDts + sampleCompositionTimeOffset,
'duration': sampleDuration,
'offset': moofBox.offset + dataOffset,
'size': sampleSize,
'subSizes': [sampleSize]
};
if (subsBoxes) {
for (m = 0; m < subsBoxes.length; m++) {
var subsBox = subsBoxes[m];
if (subsIndex < subsBox.entry_count && i > nextSubsSample) {
subsIndex++;
nextSubsSample += subsBox.entries[subsIndex].sample_delta;
}
if (i == nextSubsSample) {
sampleData.subSizes = [];
var entry = subsBox.entries[subsIndex];
for (n = 0; n < entry.subsample_count; n++) {
sampleData.subSizes.push(entry.subsamples[n].subsample_size);
}
}
}
}
sampleList.push(sampleData);
dataOffset += sampleSize;
sampleDts += sampleDuration;
}
}
totalDuration = sampleDts - tfdtBox.baseMediaDecodeTime;
}
}
return { sampleList: sampleList, lastSequenceNumber: lastSequenceNumber, totalDuration: totalDuration, numSequences: numSequences };
}
function getMediaTimescaleFromMoov(ab) {
if (!boxParser) {
throw new Error('boxParser is undefined');
}
var isoFile = boxParser.parse(ab);
var mdhdBox = isoFile ? isoFile.getBox('mdhd') : undefined;
return mdhdBox ? mdhdBox.timescale : NaN;
}
instance = {
getSamplesInfo: getSamplesInfo,
getMediaTimescaleFromMoov: getMediaTimescaleFromMoov,
setConfig: setConfig
};
return instance;
}
FragmentedTextBoxParser.__dashjs_factory_name = 'FragmentedTextBoxParser';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(FragmentedTextBoxParser);
module.exports = exports['default'];
},{"47":47}],72:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _SegmentsUtils = _dereq_(75);
function ListSegmentsGetter(config, isDynamic) {
config = config || {};
var timelineConverter = config.timelineConverter;
var instance = undefined;
function getSegmentsFromList(representation, requestedTime, index, availabilityUpperLimit) {
var list = representation.adaptation.period.mpd.manifest.Period_asArray[representation.adaptation.period.index].AdaptationSet_asArray[representation.adaptation.index].Representation_asArray[representation.index].SegmentList;
var len = list.SegmentURL_asArray.length;
var segments = [];
var periodSegIdx = undefined,
seg = undefined,
s = undefined,
range = undefined,
startIdx = undefined,
endIdx = undefined,
start = undefined;
start = representation.startNumber;
range = (0, _SegmentsUtils.decideSegmentListRangeForTemplate)(timelineConverter, isDynamic, representation, requestedTime, index, availabilityUpperLimit);
startIdx = Math.max(range.start, 0);
endIdx = Math.min(range.end, list.SegmentURL_asArray.length - 1);
for (periodSegIdx = startIdx; periodSegIdx <= endIdx; periodSegIdx++) {
s = list.SegmentURL_asArray[periodSegIdx];
seg = (0, _SegmentsUtils.getIndexBasedSegment)(timelineConverter, isDynamic, representation, periodSegIdx);
seg.replacementTime = (start + periodSegIdx - 1) * representation.segmentDuration;
seg.media = s.media ? s.media : '';
seg.mediaRange = s.mediaRange;
seg.index = s.index;
seg.indexRange = s.indexRange;
segments.push(seg);
seg = null;
}
representation.availableSegmentsNumber = len;
return segments;
}
instance = {
getSegments: getSegmentsFromList
};
return instance;
}
ListSegmentsGetter.__dashjs_factory_name = 'ListSegmentsGetter';
var factory = _coreFactoryMaker2['default'].getClassFactory(ListSegmentsGetter);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47,"75":75}],73:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Static methods for rounding decimals
*
* Modified version of the CC0-licenced example at:
* https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math/round
*
* @export
* @class Round10
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var Round10 = (function () {
function Round10() {
_classCallCheck(this, Round10);
}
/**
* Decimal adjustment of a number.
*
* @param {String} type The type of adjustment.
* @param {Number} value The number.
* @param {Integer} exp The exponent (the 10 logarithm of the adjustment base).
* @returns {Number} The adjusted value.
*/
_createClass(Round10, null, [{
key: 'round10',
/**
* Decimal round.
*
* @param {Number} value The number.
* @param {Integer} exp The exponent (the 10 logarithm of the adjustment base).
* @returns {Number} The adjusted value.
*/
value: function round10(value, exp) {
return _decimalAdjust('round', value, exp);
}
}]);
return Round10;
})();
exports['default'] = Round10;
function _decimalAdjust(type, value, exp) {
// If the exp is undefined or zero...
if (typeof exp === 'undefined' || +exp === 0) {
return Math[type](value);
}
value = +value;
exp = +exp;
// If the value is not a number or the exp is not an integer...
if (value === null || isNaN(value) || !(typeof exp === 'number' && exp % 1 === 0)) {
return NaN;
}
// Shift
value = value.toString().split('e');
value = Math[type](+(value[0] + 'e' + (value[1] ? +value[1] - exp : -exp)));
// Shift back
value = value.toString().split('e');
return +(value[0] + 'e' + (value[1] ? +value[1] + exp : exp));
}
module.exports = exports['default'];
},{}],74:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _TimelineSegmentsGetter = _dereq_(78);
var _TimelineSegmentsGetter2 = _interopRequireDefault(_TimelineSegmentsGetter);
var _TemplateSegmentsGetter = _dereq_(76);
var _TemplateSegmentsGetter2 = _interopRequireDefault(_TemplateSegmentsGetter);
var _ListSegmentsGetter = _dereq_(72);
var _ListSegmentsGetter2 = _interopRequireDefault(_ListSegmentsGetter);
function SegmentsGetter(config, isDynamic) {
var context = this.context;
var instance = undefined,
timelineSegmentsGetter = undefined,
templateSegmentsGetter = undefined,
listSegmentsGetter = undefined;
function setup() {
timelineSegmentsGetter = (0, _TimelineSegmentsGetter2['default'])(context).create(config, isDynamic);
templateSegmentsGetter = (0, _TemplateSegmentsGetter2['default'])(context).create(config, isDynamic);
listSegmentsGetter = (0, _ListSegmentsGetter2['default'])(context).create(config, isDynamic);
}
// availabilityUpperLimit parameter is not used directly by any dash.js function, but it is needed as a helper
// for other developments that extend dash.js, and provide their own transport layers (ex: P2P transport)
function getSegments(representation, requestedTime, index, onSegmentListUpdatedCallback, availabilityUpperLimit) {
var segments = undefined;
var type = representation.segmentInfoType;
// Already figure out the segments.
if (type === _constantsDashConstants2['default'].SEGMENT_BASE || type === _constantsDashConstants2['default'].BASE_URL || !isSegmentListUpdateRequired(representation, index)) {
segments = representation.segments;
} else {
if (type === _constantsDashConstants2['default'].SEGMENT_TIMELINE) {
segments = timelineSegmentsGetter.getSegments(representation, requestedTime, index, availabilityUpperLimit);
} else if (type === _constantsDashConstants2['default'].SEGMENT_TEMPLATE) {
segments = templateSegmentsGetter.getSegments(representation, requestedTime, index, availabilityUpperLimit);
} else if (type === _constantsDashConstants2['default'].SEGMENT_LIST) {
segments = listSegmentsGetter.getSegments(representation, requestedTime, index, availabilityUpperLimit);
}
if (onSegmentListUpdatedCallback) {
onSegmentListUpdatedCallback(representation, segments);
}
}
}
function isSegmentListUpdateRequired(representation, index) {
var segments = representation.segments;
var updateRequired = false;
var upperIdx = undefined,
lowerIdx = undefined;
if (!segments || segments.length === 0) {
updateRequired = true;
} else {
lowerIdx = segments[0].availabilityIdx;
upperIdx = segments[segments.length - 1].availabilityIdx;
updateRequired = index < lowerIdx || index > upperIdx;
}
return updateRequired;
}
instance = {
getSegments: getSegments
};
setup();
return instance;
}
SegmentsGetter.__dashjs_factory_name = 'SegmentsGetter';
var factory = _coreFactoryMaker2['default'].getClassFactory(SegmentsGetter);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47,"57":57,"72":72,"76":76,"78":78}],75:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
exports.unescapeDollarsInTemplate = unescapeDollarsInTemplate;
exports.replaceIDForTemplate = replaceIDForTemplate;
exports.replaceTokenForTemplate = replaceTokenForTemplate;
exports.getIndexBasedSegment = getIndexBasedSegment;
exports.getTimeBasedSegment = getTimeBasedSegment;
exports.getSegmentByIndex = getSegmentByIndex;
exports.decideSegmentListRangeForTemplate = decideSegmentListRangeForTemplate;
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _voSegment = _dereq_(86);
var _voSegment2 = _interopRequireDefault(_voSegment);
function zeroPadToLength(numStr, minStrLength) {
while (numStr.length < minStrLength) {
numStr = '0' + numStr;
}
return numStr;
}
function getNumberForSegment(segment, segmentIndex) {
return segment.representation.startNumber + segmentIndex;
}
function unescapeDollarsInTemplate(url) {
return url ? url.split('$$').join('$') : url;
}
function replaceIDForTemplate(url, value) {
if (!value || !url || url.indexOf('$RepresentationID$') === -1) {
return url;
}
var v = value.toString();
return url.split('$RepresentationID$').join(v);
}
function replaceTokenForTemplate(url, token, value) {
var formatTag = '%0';
var startPos = undefined,
endPos = undefined,
formatTagPos = undefined,
specifier = undefined,
width = undefined,
paddedValue = undefined;
var tokenLen = token.length;
var formatTagLen = formatTag.length;
if (!url) {
return url;
}
// keep looping round until all instances of <token> have been
// replaced. once that has happened, startPos below will be -1
// and the completed url will be returned.
while (true) {
// check if there is a valid $<token>...$ identifier
// if not, return the url as is.
startPos = url.indexOf('$' + token);
if (startPos < 0) {
return url;
}
// the next '$' must be the end of the identifier
// if there isn't one, return the url as is.
endPos = url.indexOf('$', startPos + tokenLen);
if (endPos < 0) {
return url;
}
// now see if there is an additional format tag suffixed to
// the identifier within the enclosing '$' characters
formatTagPos = url.indexOf(formatTag, startPos + tokenLen);
if (formatTagPos > startPos && formatTagPos < endPos) {
specifier = url.charAt(endPos - 1);
width = parseInt(url.substring(formatTagPos + formatTagLen, endPos - 1), 10);
// support the minimum specifiers required by IEEE 1003.1
// (d, i , o, u, x, and X) for completeness
switch (specifier) {
// treat all int types as uint,
// hence deliberate fallthrough
case 'd':
case 'i':
case 'u':
paddedValue = zeroPadToLength(value.toString(), width);
break;
case 'x':
paddedValue = zeroPadToLength(value.toString(16), width);
break;
case 'X':
paddedValue = zeroPadToLength(value.toString(16), width).toUpperCase();
break;
case 'o':
paddedValue = zeroPadToLength(value.toString(8), width);
break;
default:
return url;
}
} else {
paddedValue = value;
}
url = url.substring(0, startPos) + paddedValue + url.substring(endPos + 1);
}
}
function getIndexBasedSegment(timelineConverter, isDynamic, representation, index) {
var seg = undefined,
duration = undefined,
presentationStartTime = undefined,
presentationEndTime = undefined;
duration = representation.segmentDuration;
/*
* From spec - If neither @duration attribute nor SegmentTimeline element is present, then the Representation
* shall contain exactly one Media Segment. The MPD start time is 0 and the MPD duration is obtained
* in the same way as for the last Media Segment in the Representation.
*/
if (isNaN(duration)) {
duration = representation.adaptation.period.duration;
}
presentationStartTime = parseFloat((representation.adaptation.period.start + index * duration).toFixed(5));
presentationEndTime = parseFloat((presentationStartTime + duration).toFixed(5));
seg = new _voSegment2['default']();
seg.representation = representation;
seg.duration = duration;
seg.presentationStartTime = presentationStartTime;
seg.mediaStartTime = timelineConverter.calcMediaTimeFromPresentationTime(seg.presentationStartTime, representation);
seg.availabilityStartTime = timelineConverter.calcAvailabilityStartTimeFromPresentationTime(seg.presentationStartTime, representation.adaptation.period.mpd, isDynamic);
seg.availabilityEndTime = timelineConverter.calcAvailabilityEndTimeFromPresentationTime(presentationEndTime, representation.adaptation.period.mpd, isDynamic);
// at this wall clock time, the video element currentTime should be seg.presentationStartTime
seg.wallStartTime = timelineConverter.calcWallTimeForSegment(seg, isDynamic);
seg.replacementNumber = getNumberForSegment(seg, index);
seg.availabilityIdx = index;
return seg;
}
function getTimeBasedSegment(timelineConverter, isDynamic, representation, time, duration, fTimescale, url, range, index, tManifest) {
var scaledTime = time / fTimescale;
var scaledDuration = Math.min(duration / fTimescale, representation.adaptation.period.mpd.maxSegmentDuration);
var presentationStartTime = undefined,
presentationEndTime = undefined,
seg = undefined;
presentationStartTime = timelineConverter.calcPresentationTimeFromMediaTime(scaledTime, representation);
presentationEndTime = presentationStartTime + scaledDuration;
seg = new _voSegment2['default']();
seg.representation = representation;
seg.duration = scaledDuration;
seg.mediaStartTime = scaledTime;
seg.presentationStartTime = presentationStartTime;
// For SegmentTimeline every segment is available at loadedTime
seg.availabilityStartTime = representation.adaptation.period.mpd.manifest.loadedTime;
seg.availabilityEndTime = timelineConverter.calcAvailabilityEndTimeFromPresentationTime(presentationEndTime, representation.adaptation.period.mpd, isDynamic);
// at this wall clock time, the video element currentTime should be seg.presentationStartTime
seg.wallStartTime = timelineConverter.calcWallTimeForSegment(seg, isDynamic);
seg.replacementTime = tManifest ? tManifest : time;
seg.replacementNumber = getNumberForSegment(seg, index);
url = replaceTokenForTemplate(url, 'Number', seg.replacementNumber);
url = replaceTokenForTemplate(url, 'Time', seg.replacementTime);
seg.media = url;
seg.mediaRange = range;
seg.availabilityIdx = index;
return seg;
}
function getSegmentByIndex(index, representation) {
if (!representation || !representation.segments) return null;
var ln = representation.segments.length;
var seg = undefined,
i = undefined;
if (index < ln) {
seg = representation.segments[index];
if (seg && seg.availabilityIdx === index) {
return seg;
}
}
for (i = 0; i < ln; i++) {
seg = representation.segments[i];
if (seg && seg.availabilityIdx === index) {
return seg;
}
}
return null;
}
function decideSegmentListRangeForTemplate(timelineConverter, isDynamic, representation, requestedTime, index, givenAvailabilityUpperLimit) {
var duration = representation.segmentDuration;
var minBufferTime = representation.adaptation.period.mpd.manifest.minBufferTime;
var availabilityWindow = representation.segmentAvailabilityRange;
var periodRelativeRange = {
start: timelineConverter.calcPeriodRelativeTimeFromMpdRelativeTime(representation, availabilityWindow ? availabilityWindow.start : NaN),
end: timelineConverter.calcPeriodRelativeTimeFromMpdRelativeTime(representation, availabilityWindow ? availabilityWindow.end : NaN)
};
var currentSegmentList = representation.segments;
var availabilityLowerLimit = 2 * duration;
var availabilityUpperLimit = givenAvailabilityUpperLimit || Math.max(2 * minBufferTime, 10 * duration);
var originAvailabilityTime = NaN;
var originSegment = null;
var start = undefined,
end = undefined,
range = undefined;
periodRelativeRange.start = Math.max(periodRelativeRange.start, 0);
if (isDynamic && !timelineConverter.isTimeSyncCompleted()) {
start = Math.floor(periodRelativeRange.start / duration);
end = Math.floor(periodRelativeRange.end / duration);
range = { start: start, end: end };
return range;
}
// if segments exist we should try to find the latest buffered time, which is the presentation time of the
// segment for the current index
if (currentSegmentList && currentSegmentList.length > 0) {
originSegment = getSegmentByIndex(index, representation);
if (originSegment) {
originAvailabilityTime = timelineConverter.calcPeriodRelativeTimeFromMpdRelativeTime(representation, originSegment.presentationStartTime);
} else {
originAvailabilityTime = index > 0 ? index * duration : timelineConverter.calcPeriodRelativeTimeFromMpdRelativeTime(representation, requestedTime);
}
} else {
// If no segments exist, but index > 0, it means that we switch to the other representation, so
// we should proceed from this time.
// Otherwise we should start from the beginning for static mpds or from the end (live edge) for dynamic mpds
originAvailabilityTime = index > 0 ? index * duration : isDynamic ? periodRelativeRange.end : periodRelativeRange.start;
}
// segment list should not be out of the availability window range
start = Math.floor(Math.max(originAvailabilityTime - availabilityLowerLimit, periodRelativeRange.start) / duration);
end = Math.floor(Math.min(start + availabilityUpperLimit / duration, periodRelativeRange.end / duration));
range = { start: start, end: end };
return range;
}
},{"86":86}],76:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _SegmentsUtils = _dereq_(75);
function TemplateSegmentsGetter(config, isDynamic) {
var timelineConverter = config.timelineConverter;
var instance = undefined;
function getSegmentsFromTemplate(representation, requestedTime, index, availabilityUpperLimit) {
var template = representation.adaptation.period.mpd.manifest.Period_asArray[representation.adaptation.period.index].AdaptationSet_asArray[representation.adaptation.index].Representation_asArray[representation.index].SegmentTemplate;
var duration = representation.segmentDuration;
var availabilityWindow = representation.segmentAvailabilityRange;
var segments = [];
var url = null;
var seg = null;
var segmentRange = undefined,
periodSegIdx = undefined,
startIdx = undefined,
endIdx = undefined,
start = undefined;
start = representation.startNumber;
if (isNaN(duration) && !isDynamic) {
segmentRange = { start: start, end: start };
} else {
segmentRange = (0, _SegmentsUtils.decideSegmentListRangeForTemplate)(timelineConverter, isDynamic, representation, requestedTime, index, availabilityUpperLimit);
}
startIdx = segmentRange.start;
endIdx = segmentRange.end;
for (periodSegIdx = startIdx; periodSegIdx <= endIdx; periodSegIdx++) {
seg = (0, _SegmentsUtils.getIndexBasedSegment)(timelineConverter, isDynamic, representation, periodSegIdx);
seg.replacementTime = (start + periodSegIdx - 1) * representation.segmentDuration;
url = template.media;
url = (0, _SegmentsUtils.replaceTokenForTemplate)(url, 'Number', seg.replacementNumber);
url = (0, _SegmentsUtils.replaceTokenForTemplate)(url, 'Time', seg.replacementTime);
seg.media = url;
segments.push(seg);
seg = null;
}
if (isNaN(duration)) {
representation.availableSegmentsNumber = 1;
} else {
representation.availableSegmentsNumber = Math.ceil((availabilityWindow.end - availabilityWindow.start) / duration);
}
return segments;
}
instance = {
getSegments: getSegmentsFromTemplate
};
return instance;
}
TemplateSegmentsGetter.__dashjs_factory_name = 'TemplateSegmentsGetter';
var factory = _coreFactoryMaker2['default'].getClassFactory(TemplateSegmentsGetter);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47,"75":75}],77:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function TimelineConverter() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
clientServerTimeShift = undefined,
isClientServerTimeSyncCompleted = undefined,
expectedLiveEdge = undefined;
function initialize() {
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].TIME_SYNCHRONIZATION_COMPLETED, onTimeSyncComplete, this);
}
function isTimeSyncCompleted() {
return isClientServerTimeSyncCompleted;
}
function setTimeSyncCompleted(value) {
isClientServerTimeSyncCompleted = value;
}
function getClientTimeOffset() {
return clientServerTimeShift;
}
function setClientTimeOffset(value) {
clientServerTimeShift = value;
}
function getExpectedLiveEdge() {
return expectedLiveEdge;
}
function setExpectedLiveEdge(value) {
expectedLiveEdge = value;
}
function calcAvailabilityTimeFromPresentationTime(presentationTime, mpd, isDynamic, calculateEnd) {
var availabilityTime = NaN;
if (calculateEnd) {
//@timeShiftBufferDepth specifies the duration of the time shifting buffer that is guaranteed
// to be available for a Media Presentation with type 'dynamic'.
// When not present, the value is infinite.
if (isDynamic && mpd.timeShiftBufferDepth != Number.POSITIVE_INFINITY) {
availabilityTime = new Date(mpd.availabilityStartTime.getTime() + (presentationTime + mpd.timeShiftBufferDepth) * 1000);
} else {
availabilityTime = mpd.availabilityEndTime;
}
} else {
if (isDynamic) {
availabilityTime = new Date(mpd.availabilityStartTime.getTime() + (presentationTime - clientServerTimeShift) * 1000);
} else {
// in static mpd, all segments are available at the same time
availabilityTime = mpd.availabilityStartTime;
}
}
return availabilityTime;
}
function calcAvailabilityStartTimeFromPresentationTime(presentationTime, mpd, isDynamic) {
return calcAvailabilityTimeFromPresentationTime.call(this, presentationTime, mpd, isDynamic);
}
function calcAvailabilityEndTimeFromPresentationTime(presentationTime, mpd, isDynamic) {
return calcAvailabilityTimeFromPresentationTime.call(this, presentationTime, mpd, isDynamic, true);
}
function calcPresentationTimeFromWallTime(wallTime, period) {
return (wallTime.getTime() - period.mpd.availabilityStartTime.getTime() + clientServerTimeShift * 1000) / 1000;
}
function calcPresentationTimeFromMediaTime(mediaTime, representation) {
var periodStart = representation.adaptation.period.start;
var presentationOffset = representation.presentationTimeOffset;
return mediaTime + (periodStart - presentationOffset);
}
function calcMediaTimeFromPresentationTime(presentationTime, representation) {
var periodStart = representation.adaptation.period.start;
var presentationOffset = representation.presentationTimeOffset;
return presentationTime - periodStart + presentationOffset;
}
function calcWallTimeForSegment(segment, isDynamic) {
var suggestedPresentationDelay = undefined,
displayStartTime = undefined,
wallTime = undefined;
if (isDynamic) {
suggestedPresentationDelay = segment.representation.adaptation.period.mpd.suggestedPresentationDelay;
displayStartTime = segment.presentationStartTime + suggestedPresentationDelay;
wallTime = new Date(segment.availabilityStartTime.getTime() + displayStartTime * 1000);
}
return wallTime;
}
function calcSegmentAvailabilityRange(voRepresentation, isDynamic) {
// Static Range Finder
var voPeriod = voRepresentation.adaptation.period;
var range = { start: voPeriod.start, end: voPeriod.start + voPeriod.duration };
if (!isDynamic) return range;
if (!isClientServerTimeSyncCompleted && voRepresentation.segmentAvailabilityRange) {
return voRepresentation.segmentAvailabilityRange;
}
// Dynamic Range Finder
var d = voRepresentation.segmentDuration || (voRepresentation.segments && voRepresentation.segments.length ? voRepresentation.segments[voRepresentation.segments.length - 1].duration : 0);
var now = calcPresentationTimeFromWallTime(new Date(), voPeriod);
var periodEnd = voPeriod.start + voPeriod.duration;
range.start = Math.max(now - voPeriod.mpd.timeShiftBufferDepth, voPeriod.start);
var endOffset = voRepresentation.availabilityTimeOffset !== undefined && voRepresentation.availabilityTimeOffset < d ? d - voRepresentation.availabilityTimeOffset : d;
range.end = now >= periodEnd && now - endOffset < periodEnd ? periodEnd : now - endOffset;
return range;
}
function calcPeriodRelativeTimeFromMpdRelativeTime(representation, mpdRelativeTime) {
var periodStartTime = representation.adaptation.period.start;
return mpdRelativeTime - periodStartTime;
}
/*
* We need to figure out if we want to timesync for segmentTimeine where useCalculatedLiveEdge = true
* seems we figure out client offset based on logic in liveEdgeFinder getLiveEdge timelineConverter.setClientTimeOffset(liveEdge - representationInfo.DVRWindow.end);
* FYI StreamController's onManifestUpdated entry point to timeSync
* */
function onTimeSyncComplete(e) {
if (isClientServerTimeSyncCompleted) return;
if (e.offset !== undefined) {
setClientTimeOffset(e.offset / 1000);
isClientServerTimeSyncCompleted = true;
}
}
function calcMSETimeOffset(representation) {
// The MSEOffset is offset from AST for media. It is Period@start - presentationTimeOffset
var presentationOffset = representation.presentationTimeOffset;
var periodStart = representation.adaptation.period.start;
return periodStart - presentationOffset;
}
function resetInitialSettings() {
clientServerTimeShift = 0;
isClientServerTimeSyncCompleted = false;
expectedLiveEdge = NaN;
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].TIME_SYNCHRONIZATION_COMPLETED, onTimeSyncComplete, this);
resetInitialSettings();
}
instance = {
initialize: initialize,
isTimeSyncCompleted: isTimeSyncCompleted,
setTimeSyncCompleted: setTimeSyncCompleted,
getClientTimeOffset: getClientTimeOffset,
setClientTimeOffset: setClientTimeOffset,
getExpectedLiveEdge: getExpectedLiveEdge,
setExpectedLiveEdge: setExpectedLiveEdge,
calcAvailabilityStartTimeFromPresentationTime: calcAvailabilityStartTimeFromPresentationTime,
calcAvailabilityEndTimeFromPresentationTime: calcAvailabilityEndTimeFromPresentationTime,
calcPresentationTimeFromWallTime: calcPresentationTimeFromWallTime,
calcPresentationTimeFromMediaTime: calcPresentationTimeFromMediaTime,
calcPeriodRelativeTimeFromMpdRelativeTime: calcPeriodRelativeTimeFromMpdRelativeTime,
calcMediaTimeFromPresentationTime: calcMediaTimeFromPresentationTime,
calcSegmentAvailabilityRange: calcSegmentAvailabilityRange,
calcWallTimeForSegment: calcWallTimeForSegment,
calcMSETimeOffset: calcMSETimeOffset,
reset: reset
};
return instance;
}
TimelineConverter.__dashjs_factory_name = 'TimelineConverter';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(TimelineConverter);
module.exports = exports['default'];
},{"46":46,"47":47,"50":50}],78:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _SegmentsUtils = _dereq_(75);
function TimelineSegmentsGetter(config, isDynamic) {
config = config || {};
var timelineConverter = config.timelineConverter;
var instance = undefined;
function checkConfig() {
if (!timelineConverter || !timelineConverter.hasOwnProperty('calcMediaTimeFromPresentationTime') || !timelineConverter.hasOwnProperty('calcSegmentAvailabilityRange') || !timelineConverter.hasOwnProperty('calcMediaTimeFromPresentationTime')) {
throw new Error('Missing config parameter(s)');
}
}
function getSegmentsFromTimeline(representation, requestedTime, index, availabilityUpperLimit) {
checkConfig();
if (!representation) {
throw new Error('no representation');
}
if (requestedTime === undefined) {
requestedTime = null;
}
var base = representation.adaptation.period.mpd.manifest.Period_asArray[representation.adaptation.period.index].AdaptationSet_asArray[representation.adaptation.index].Representation_asArray[representation.index].SegmentTemplate || representation.adaptation.period.mpd.manifest.Period_asArray[representation.adaptation.period.index].AdaptationSet_asArray[representation.adaptation.index].Representation_asArray[representation.index].SegmentList;
var timeline = base.SegmentTimeline;
var list = base.SegmentURL_asArray;
var isAvailableSegmentNumberCalculated = representation.availableSegmentsNumber > 0;
var maxSegmentsAhead = undefined;
if (availabilityUpperLimit) {
maxSegmentsAhead = availabilityUpperLimit;
} else {
maxSegmentsAhead = index > -1 || requestedTime !== null ? 10 : Infinity;
}
var time = 0;
var scaledTime = 0;
var availabilityIdx = -1;
var segments = [];
var requiredMediaTime = null;
var fragments = undefined,
frag = undefined,
i = undefined,
len = undefined,
j = undefined,
repeat = undefined,
repeatEndTime = undefined,
nextFrag = undefined,
hasEnoughSegments = undefined,
startIdx = undefined,
fTimescale = undefined;
var createSegment = function createSegment(s, i) {
var media = base.media;
var mediaRange = s.mediaRange;
if (list) {
media = list[i].media || '';
mediaRange = list[i].mediaRange;
}
return (0, _SegmentsUtils.getTimeBasedSegment)(timelineConverter, isDynamic, representation, time, s.d, fTimescale, media, mediaRange, availabilityIdx, s.tManifest);
};
fTimescale = representation.timescale;
fragments = timeline.S_asArray;
startIdx = index;
if (requestedTime !== null) {
requiredMediaTime = timelineConverter.calcMediaTimeFromPresentationTime(requestedTime, representation);
}
for (i = 0, len = fragments.length; i < len; i++) {
frag = fragments[i];
repeat = 0;
if (frag.hasOwnProperty('r')) {
repeat = frag.r;
}
// For a repeated S element, t belongs only to the first segment
if (frag.hasOwnProperty('t')) {
time = frag.t;
scaledTime = time / fTimescale;
}
// This is a special case: "A negative value of the @r attribute of the S element indicates that the duration indicated in @d attribute repeats until the start of the next S element, the end of the Period or until the
// next MPD update."
if (repeat < 0) {
nextFrag = fragments[i + 1];
if (nextFrag && nextFrag.hasOwnProperty('t')) {
repeatEndTime = nextFrag.t / fTimescale;
} else {
var availabilityEnd = representation.segmentAvailabilityRange ? representation.segmentAvailabilityRange.end : timelineConverter.calcSegmentAvailabilityRange(representation, isDynamic).end;
repeatEndTime = timelineConverter.calcMediaTimeFromPresentationTime(availabilityEnd, representation);
representation.segmentDuration = frag.d / fTimescale;
}
repeat = Math.ceil((repeatEndTime - scaledTime) / (frag.d / fTimescale)) - 1;
}
// if we have enough segments in the list, but we have not calculated the total number of the segments yet we
// should continue the loop and calc the number. Once it is calculated, we can break the loop.
if (hasEnoughSegments) {
if (isAvailableSegmentNumberCalculated) break;
availabilityIdx += repeat + 1;
continue;
}
for (j = 0; j <= repeat; j++) {
availabilityIdx++;
if (segments.length > maxSegmentsAhead) {
hasEnoughSegments = true;
if (isAvailableSegmentNumberCalculated) break;
continue;
}
if (requiredMediaTime !== null) {
// In some cases when requiredMediaTime = actual end time of the last segment
// it is possible that this time a bit exceeds the declared end time of the last segment.
// in this case we still need to include the last segment in the segment list. to do this we
// use a correction factor = 1.5. This number is used because the largest possible deviation is
// is 50% of segment duration.
if (scaledTime >= requiredMediaTime - frag.d / fTimescale * 1.5) {
segments.push(createSegment(frag, availabilityIdx));
}
} else if (availabilityIdx >= startIdx) {
segments.push(createSegment(frag, availabilityIdx));
}
time += frag.d;
scaledTime = time / fTimescale;
}
}
if (!isAvailableSegmentNumberCalculated) {
representation.availableSegmentsNumber = availabilityIdx + 1;
}
return segments;
}
instance = {
getSegments: getSegmentsFromTimeline
};
return instance;
}
TimelineSegmentsGetter.__dashjs_factory_name = 'TimelineSegmentsGetter';
var factory = _coreFactoryMaker2['default'].getClassFactory(TimelineSegmentsGetter);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47,"75":75}],79:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var AdaptationSet = function AdaptationSet() {
_classCallCheck(this, AdaptationSet);
this.period = null;
this.index = -1;
this.type = null;
};
exports["default"] = AdaptationSet;
module.exports = exports["default"];
},{}],80:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var DEFAULT_DVB_PRIORITY = 1;
var DEFAULT_DVB_WEIGHT = 1;
var BaseURL = function BaseURL(url, serviceLocation, priority, weight) {
_classCallCheck(this, BaseURL);
this.url = url || '';
this.serviceLocation = serviceLocation || url || '';
// DVB extensions
this.dvb_priority = priority || DEFAULT_DVB_PRIORITY;
this.dvb_weight = weight || DEFAULT_DVB_WEIGHT;
this.availabilityTimeOffset = 0;
this.availabilityTimeComplete = true;
/* currently unused:
* byteRange,
*/
};
BaseURL.DEFAULT_DVB_PRIORITY = DEFAULT_DVB_PRIORITY;
BaseURL.DEFAULT_DVB_WEIGHT = DEFAULT_DVB_WEIGHT;
exports['default'] = BaseURL;
module.exports = exports['default'];
},{}],81:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var Event = function Event() {
_classCallCheck(this, Event);
this.duration = NaN;
this.presentationTime = NaN;
this.id = NaN;
this.messageData = '';
this.eventStream = null;
this.presentationTimeDelta = NaN; // Specific EMSG Box parameter
};
exports['default'] = Event;
module.exports = exports['default'];
},{}],82:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var EventStream = function EventStream() {
_classCallCheck(this, EventStream);
this.adaptionSet = null;
this.representation = null;
this.period = null;
this.timescale = 1;
this.value = '';
this.schemeIdUri = '';
};
exports['default'] = EventStream;
module.exports = exports['default'];
},{}],83:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var Mpd = function Mpd() {
_classCallCheck(this, Mpd);
this.manifest = null;
this.suggestedPresentationDelay = 0;
this.availabilityStartTime = null;
this.availabilityEndTime = Number.POSITIVE_INFINITY;
this.timeShiftBufferDepth = Number.POSITIVE_INFINITY;
this.maxSegmentDuration = Number.POSITIVE_INFINITY;
this.minimumUpdatePeriod = NaN;
this.mediaPresentationDuration = NaN;
};
exports["default"] = Mpd;
module.exports = exports["default"];
},{}],84:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var Period = function Period() {
_classCallCheck(this, Period);
this.id = null;
this.index = -1;
this.duration = NaN;
this.start = NaN;
this.mpd = null;
};
Period.DEFAULT_ID = 'defaultId';
exports['default'] = Period;
module.exports = exports['default'];
},{}],85:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var _constantsDashConstants = _dereq_(57);
var _constantsDashConstants2 = _interopRequireDefault(_constantsDashConstants);
var Representation = (function () {
function Representation() {
_classCallCheck(this, Representation);
this.id = null;
this.index = -1;
this.adaptation = null;
this.segmentInfoType = null;
this.initialization = null;
this.codecs = null;
this.codecPrivateData = null;
this.segmentDuration = NaN;
this.timescale = 1;
this.startNumber = 1;
this.indexRange = null;
this.range = null;
this.presentationTimeOffset = 0;
// Set the source buffer timeOffset to this
this.MSETimeOffset = NaN;
this.segmentAvailabilityRange = null;
this.availableSegmentsNumber = 0;
this.bandwidth = NaN;
this.width = NaN;
this.height = NaN;
this.scanType = null;
this.maxPlayoutRate = NaN;
this.availabilityTimeOffset = 0;
this.availabilityTimeComplete = true;
}
_createClass(Representation, null, [{
key: 'hasInitialization',
value: function hasInitialization(r) {
return r.initialization !== null || r.range !== null;
}
}, {
key: 'hasSegments',
value: function hasSegments(r) {
return r.segmentInfoType !== _constantsDashConstants2['default'].BASE_URL && r.segmentInfoType !== _constantsDashConstants2['default'].SEGMENT_BASE && !r.indexRange;
}
}]);
return Representation;
})();
exports['default'] = Representation;
module.exports = exports['default'];
},{"57":57}],86:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var Segment = function Segment() {
_classCallCheck(this, Segment);
this.indexRange = null;
this.index = null;
this.mediaRange = null;
this.media = null;
this.duration = NaN;
// this is the time that should be inserted into the media url
this.replacementTime = null;
// this is the number that should be inserted into the media url
this.replacementNumber = NaN;
// This is supposed to match the time encoded in the media Segment
this.mediaStartTime = NaN;
// When the source buffer timeOffset is set to MSETimeOffset this is the
// time that will match the seekTarget and video.currentTime
this.presentationStartTime = NaN;
// Do not schedule this segment until
this.availabilityStartTime = NaN;
// Ignore and discard this segment after
this.availabilityEndTime = NaN;
// The index of the segment inside the availability window
this.availabilityIdx = NaN;
// For dynamic mpd's, this is the wall clock time that the video
// element currentTime should be presentationStartTime
this.wallStartTime = NaN;
this.representation = null;
};
exports["default"] = Segment;
module.exports = exports["default"];
},{}],87:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var UTCTiming = function UTCTiming() {
_classCallCheck(this, UTCTiming);
// UTCTiming is a DescriptorType and doesn't have any additional fields
this.schemeIdUri = '';
this.value = '';
};
exports['default'] = UTCTiming;
module.exports = exports['default'];
},{}],88:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _netHTTPLoader = _dereq_(121);
var _netHTTPLoader2 = _interopRequireDefault(_netHTTPLoader);
var _voHeadRequest = _dereq_(166);
var _voHeadRequest2 = _interopRequireDefault(_voHeadRequest);
var _voDashJSError = _dereq_(163);
var _voDashJSError2 = _interopRequireDefault(_voDashJSError);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var FRAGMENT_LOADER_ERROR_LOADING_FAILURE = 1;
var FRAGMENT_LOADER_ERROR_NULL_REQUEST = 2;
var FRAGMENT_LOADER_MESSAGE_NULL_REQUEST = 'request is null';
function FragmentLoader(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
httpLoader = undefined;
function setup() {
httpLoader = (0, _netHTTPLoader2['default'])(context).create({
errHandler: config.errHandler,
metricsModel: config.metricsModel,
mediaPlayerModel: config.mediaPlayerModel,
requestModifier: config.requestModifier,
useFetch: config.mediaPlayerModel.getLowLatencyEnabled()
});
}
function checkForExistence(request) {
var report = function report(success) {
eventBus.trigger(_coreEventsEvents2['default'].CHECK_FOR_EXISTENCE_COMPLETED, {
request: request,
exists: success
});
};
if (request) {
var headRequest = new _voHeadRequest2['default'](request.url);
httpLoader.load({
request: headRequest,
success: function success() {
report(true);
},
error: function error() {
report(false);
}
});
} else {
report(false);
}
}
function load(request) {
var report = function report(data, error) {
eventBus.trigger(_coreEventsEvents2['default'].LOADING_COMPLETED, {
request: request,
response: data || null,
error: error || null,
sender: instance
});
};
if (request) {
httpLoader.load({
request: request,
progress: function progress(event) {
eventBus.trigger(_coreEventsEvents2['default'].LOADING_PROGRESS, {
request: request
});
if (event.data) {
eventBus.trigger(_coreEventsEvents2['default'].LOADING_DATA_PROGRESS, {
request: request,
response: event.data || null,
error: null,
sender: instance
});
}
},
success: function success(data) {
report(data);
},
error: function error(request, statusText, errorText) {
report(undefined, new _voDashJSError2['default'](FRAGMENT_LOADER_ERROR_LOADING_FAILURE, errorText, statusText));
},
abort: function abort(request) {
if (request) {
eventBus.trigger(_coreEventsEvents2['default'].LOADING_ABANDONED, { request: request, mediaType: request.mediaType, sender: instance });
}
}
});
} else {
report(undefined, new _voDashJSError2['default'](FRAGMENT_LOADER_ERROR_NULL_REQUEST, FRAGMENT_LOADER_MESSAGE_NULL_REQUEST));
}
}
function abort() {
if (httpLoader) {
httpLoader.abort();
}
}
function reset() {
if (httpLoader) {
httpLoader.abort();
httpLoader = null;
}
}
instance = {
checkForExistence: checkForExistence,
load: load,
abort: abort,
reset: reset
};
setup();
return instance;
}
FragmentLoader.__dashjs_factory_name = 'FragmentLoader';
var factory = _coreFactoryMaker2['default'].getClassFactory(FragmentLoader);
factory.FRAGMENT_LOADER_ERROR_LOADING_FAILURE = FRAGMENT_LOADER_ERROR_LOADING_FAILURE;
factory.FRAGMENT_LOADER_ERROR_NULL_REQUEST = FRAGMENT_LOADER_ERROR_NULL_REQUEST;
_coreFactoryMaker2['default'].updateClassFactory(FragmentLoader.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"121":121,"163":163,"166":166,"46":46,"47":47,"50":50}],89:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _controllersXlinkController = _dereq_(112);
var _controllersXlinkController2 = _interopRequireDefault(_controllersXlinkController);
var _netHTTPLoader = _dereq_(121);
var _netHTTPLoader2 = _interopRequireDefault(_netHTTPLoader);
var _utilsURLUtils = _dereq_(158);
var _utilsURLUtils2 = _interopRequireDefault(_utilsURLUtils);
var _voTextRequest = _dereq_(174);
var _voTextRequest2 = _interopRequireDefault(_voTextRequest);
var _voDashJSError = _dereq_(163);
var _voDashJSError2 = _interopRequireDefault(_voDashJSError);
var _voMetricsHTTPRequest = _dereq_(183);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _dashParserDashParser = _dereq_(60);
var _dashParserDashParser2 = _interopRequireDefault(_dashParserDashParser);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var MANIFEST_LOADER_ERROR_PARSING_FAILURE = 1;
var MANIFEST_LOADER_ERROR_LOADING_FAILURE = 2;
var MANIFEST_LOADER_MESSAGE_PARSING_FAILURE = 'parsing failed';
function ManifestLoader(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var urlUtils = (0, _utilsURLUtils2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
httpLoader = undefined,
xlinkController = undefined,
parser = undefined;
var mssHandler = config.mssHandler;
var errHandler = config.errHandler;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
eventBus.on(_coreEventsEvents2['default'].XLINK_READY, onXlinkReady, instance);
httpLoader = (0, _netHTTPLoader2['default'])(context).create({
errHandler: errHandler,
metricsModel: config.metricsModel,
mediaPlayerModel: config.mediaPlayerModel,
requestModifier: config.requestModifier
});
xlinkController = (0, _controllersXlinkController2['default'])(context).create({
errHandler: errHandler,
metricsModel: config.metricsModel,
mediaPlayerModel: config.mediaPlayerModel,
requestModifier: config.requestModifier
});
parser = null;
}
function onXlinkReady(event) {
eventBus.trigger(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, {
manifest: event.manifest
});
}
function createParser(data) {
var parser = null;
// Analyze manifest content to detect protocol and select appropriate parser
if (data.indexOf('SmoothStreamingMedia') > -1) {
//do some business to transform it into a Dash Manifest
if (mssHandler) {
parser = mssHandler.createMssParser();
mssHandler.registerEvents();
}
return parser;
} else if (data.indexOf('MPD') > -1) {
return (0, _dashParserDashParser2['default'])(context).create();
} else {
return parser;
}
}
function load(url) {
var request = new _voTextRequest2['default'](url, _voMetricsHTTPRequest.HTTPRequest.MPD_TYPE);
httpLoader.load({
request: request,
success: function success(data, textStatus, responseURL) {
// Manage situations in which success is called after calling reset
if (!xlinkController) return;
var actualUrl = undefined,
baseUri = undefined,
manifest = undefined;
// Handle redirects for the MPD - as per RFC3986 Section 5.1.3
// also handily resolves relative MPD URLs to absolute
if (responseURL && responseURL !== url) {
baseUri = urlUtils.parseBaseUrl(responseURL);
actualUrl = responseURL;
} else {
// usually this case will be caught and resolved by
// responseURL above but it is not available for IE11 and Edge/12 and Edge/13
// baseUri must be absolute for BaseURL resolution later
if (urlUtils.isRelative(url)) {
url = urlUtils.resolve(url, window.location.href);
}
baseUri = urlUtils.parseBaseUrl(url);
}
// Create parser according to manifest type
if (parser === null) {
parser = createParser(data);
}
if (parser === null) {
eventBus.trigger(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, {
manifest: null,
error: new _voDashJSError2['default'](MANIFEST_LOADER_ERROR_PARSING_FAILURE, 'Failed detecting manifest type or manifest type unsupported : ' + url)
});
return;
}
// init xlinkcontroller with matchers and iron object from created parser
xlinkController.setMatchers(parser.getMatchers());
xlinkController.setIron(parser.getIron());
try {
manifest = parser.parse(data);
} catch (e) {
eventBus.trigger(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, {
manifest: null,
error: new _voDashJSError2['default'](MANIFEST_LOADER_ERROR_PARSING_FAILURE, 'Failed parsing manifest : ' + url)
});
return;
}
if (manifest) {
manifest.url = actualUrl || url;
// URL from which the MPD was originally retrieved (MPD updates will not change this value)
if (!manifest.originalUrl) {
manifest.originalUrl = manifest.url;
}
// In the following, we only use the first Location entry even if many are available
// Compare with ManifestUpdater/DashManifestModel
if (manifest.hasOwnProperty(_constantsConstants2['default'].LOCATION)) {
baseUri = urlUtils.parseBaseUrl(manifest.Location_asArray[0]);
logger.debug('BaseURI set by Location to: ' + baseUri);
}
manifest.baseUri = baseUri;
manifest.loadedTime = new Date();
xlinkController.resolveManifestOnLoad(manifest);
} else {
eventBus.trigger(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, {
manifest: null,
error: new _voDashJSError2['default'](MANIFEST_LOADER_ERROR_PARSING_FAILURE, MANIFEST_LOADER_MESSAGE_PARSING_FAILURE)
});
}
},
error: function error(request, statusText, errorText) {
eventBus.trigger(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, {
manifest: null,
error: new _voDashJSError2['default'](MANIFEST_LOADER_ERROR_LOADING_FAILURE, 'Failed loading manifest: ' + url + ', ' + errorText)
});
}
});
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].XLINK_READY, onXlinkReady, instance);
if (xlinkController) {
xlinkController.reset();
xlinkController = null;
}
if (httpLoader) {
httpLoader.abort();
httpLoader = null;
}
if (mssHandler) {
mssHandler.reset();
}
}
instance = {
load: load,
reset: reset
};
setup();
return instance;
}
ManifestLoader.__dashjs_factory_name = 'ManifestLoader';
var factory = _coreFactoryMaker2['default'].getClassFactory(ManifestLoader);
factory.MANIFEST_LOADER_ERROR_PARSING_FAILURE = MANIFEST_LOADER_ERROR_PARSING_FAILURE;
factory.MANIFEST_LOADER_ERROR_LOADING_FAILURE = MANIFEST_LOADER_ERROR_LOADING_FAILURE;
_coreFactoryMaker2['default'].updateClassFactory(ManifestLoader.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"112":112,"121":121,"158":158,"163":163,"174":174,"183":183,"45":45,"46":46,"47":47,"50":50,"60":60,"98":98}],90:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function ManifestUpdater() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
refreshDelay = undefined,
refreshTimer = undefined,
isPaused = undefined,
isUpdating = undefined,
manifestLoader = undefined,
manifestModel = undefined,
dashManifestModel = undefined,
mediaPlayerModel = undefined,
errHandler = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function setConfig(config) {
if (!config) return;
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.mediaPlayerModel) {
mediaPlayerModel = config.mediaPlayerModel;
}
if (config.manifestLoader) {
manifestLoader = config.manifestLoader;
}
if (config.errHandler) {
errHandler = config.errHandler;
}
}
function initialize() {
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].STREAMS_COMPOSED, onStreamsComposed, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_STARTED, onPlaybackStarted, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_PAUSED, onPlaybackPaused, this);
eventBus.on(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, onManifestLoaded, this);
}
function setManifest(manifest) {
update(manifest);
}
function resetInitialSettings() {
refreshDelay = NaN;
isUpdating = false;
isPaused = true;
stopManifestRefreshTimer();
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_STARTED, onPlaybackStarted, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_PAUSED, onPlaybackPaused, this);
eventBus.off(_coreEventsEvents2['default'].STREAMS_COMPOSED, onStreamsComposed, this);
eventBus.off(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, onManifestLoaded, this);
resetInitialSettings();
}
function stopManifestRefreshTimer() {
if (refreshTimer !== null) {
clearInterval(refreshTimer);
refreshTimer = null;
}
}
function startManifestRefreshTimer(delay) {
stopManifestRefreshTimer();
if (isNaN(delay) && !isNaN(refreshDelay)) {
delay = refreshDelay * 1000;
}
if (!isNaN(delay)) {
logger.debug('Refresh manifest in ' + delay + ' milliseconds.');
refreshTimer = setTimeout(onRefreshTimer, delay);
}
}
function refreshManifest() {
isUpdating = true;
var manifest = manifestModel.getValue();
var url = manifest.url;
var location = dashManifestModel.getLocation(manifest);
if (location) {
url = location;
}
manifestLoader.load(url);
}
function update(manifest) {
manifestModel.setValue(manifest);
var date = new Date();
var latencyOfLastUpdate = (date.getTime() - manifest.loadedTime.getTime()) / 1000;
refreshDelay = dashManifestModel.getManifestUpdatePeriod(manifest, latencyOfLastUpdate);
// setTimeout uses a 32 bit number to store the delay. Any number greater than it
// will cause event associated with setTimeout to trigger immediately
if (refreshDelay * 1000 > 0x7FFFFFFF) {
refreshDelay = 0x7FFFFFFF / 1000;
}
eventBus.trigger(_coreEventsEvents2['default'].MANIFEST_UPDATED, { manifest: manifest });
logger.info('Manifest has been refreshed at ' + date + '[' + date.getTime() / 1000 + '] ');
if (!isPaused) {
startManifestRefreshTimer();
}
}
function onRefreshTimer() {
if (isPaused && !mediaPlayerModel.getScheduleWhilePaused()) {
return;
}
if (isUpdating) {
startManifestRefreshTimer(mediaPlayerModel.getManifestUpdateRetryInterval());
return;
}
refreshManifest();
}
function onManifestLoaded(e) {
if (!e.error) {
update(e.manifest);
} else {
errHandler.manifestError(e.error.message, e.error.code);
}
}
function onPlaybackStarted() /*e*/{
isPaused = false;
startManifestRefreshTimer();
}
function onPlaybackPaused() /*e*/{
isPaused = true;
stopManifestRefreshTimer();
}
function onStreamsComposed() /*e*/{
// When streams are ready we can consider manifest update completed. Resolve the update promise.
isUpdating = false;
}
instance = {
initialize: initialize,
setManifest: setManifest,
refreshManifest: refreshManifest,
setConfig: setConfig,
reset: reset
};
setup();
return instance;
}
ManifestUpdater.__dashjs_factory_name = 'ManifestUpdater';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(ManifestUpdater);
module.exports = exports['default'];
},{"45":45,"46":46,"47":47,"50":50}],91:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _constantsMetricsConstants = _dereq_(99);
var _constantsMetricsConstants2 = _interopRequireDefault(_constantsMetricsConstants);
var _dashVoUTCTiming = _dereq_(87);
var _dashVoUTCTiming2 = _interopRequireDefault(_dashVoUTCTiming);
var _controllersPlaybackController = _dereq_(108);
var _controllersPlaybackController2 = _interopRequireDefault(_controllersPlaybackController);
var _controllersStreamController = _dereq_(110);
var _controllersStreamController2 = _interopRequireDefault(_controllersStreamController);
var _controllersMediaController = _dereq_(106);
var _controllersMediaController2 = _interopRequireDefault(_controllersMediaController);
var _controllersBaseURLController = _dereq_(101);
var _controllersBaseURLController2 = _interopRequireDefault(_controllersBaseURLController);
var _ManifestLoader = _dereq_(89);
var _ManifestLoader2 = _interopRequireDefault(_ManifestLoader);
var _utilsErrorHandler = _dereq_(151);
var _utilsErrorHandler2 = _interopRequireDefault(_utilsErrorHandler);
var _utilsCapabilities = _dereq_(147);
var _utilsCapabilities2 = _interopRequireDefault(_utilsCapabilities);
var _textTextTracks = _dereq_(142);
var _textTextTracks2 = _interopRequireDefault(_textTextTracks);
var _utilsRequestModifier = _dereq_(156);
var _utilsRequestModifier2 = _interopRequireDefault(_utilsRequestModifier);
var _textTextController = _dereq_(140);
var _textTextController2 = _interopRequireDefault(_textTextController);
var _modelsURIFragmentModel = _dereq_(118);
var _modelsURIFragmentModel2 = _interopRequireDefault(_modelsURIFragmentModel);
var _modelsManifestModel = _dereq_(115);
var _modelsManifestModel2 = _interopRequireDefault(_modelsManifestModel);
var _modelsMediaPlayerModel = _dereq_(116);
var _modelsMediaPlayerModel2 = _interopRequireDefault(_modelsMediaPlayerModel);
var _modelsMetricsModel = _dereq_(117);
var _modelsMetricsModel2 = _interopRequireDefault(_modelsMetricsModel);
var _controllersAbrController = _dereq_(100);
var _controllersAbrController2 = _interopRequireDefault(_controllersAbrController);
var _modelsVideoModel = _dereq_(119);
var _modelsVideoModel2 = _interopRequireDefault(_modelsVideoModel);
var _utilsDOMStorage = _dereq_(149);
var _utilsDOMStorage2 = _interopRequireDefault(_utilsDOMStorage);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _MediaPlayerEvents = _dereq_(92);
var _MediaPlayerEvents2 = _interopRequireDefault(_MediaPlayerEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreVersion = _dereq_(48);
//Dash
var _dashDashAdapter = _dereq_(52);
var _dashDashAdapter2 = _interopRequireDefault(_dashDashAdapter);
var _dashModelsDashManifestModel = _dereq_(59);
var _dashModelsDashManifestModel2 = _interopRequireDefault(_dashModelsDashManifestModel);
var _dashDashMetrics = _dereq_(54);
var _dashDashMetrics2 = _interopRequireDefault(_dashDashMetrics);
var _dashUtilsTimelineConverter = _dereq_(77);
var _dashUtilsTimelineConverter2 = _interopRequireDefault(_dashUtilsTimelineConverter);
var _voMetricsHTTPRequest = _dereq_(183);
var _externalsBase64 = _dereq_(1);
var _externalsBase642 = _interopRequireDefault(_externalsBase64);
var _codemIsoboxer = _dereq_(5);
var _codemIsoboxer2 = _interopRequireDefault(_codemIsoboxer);
/**
* @module MediaPlayer
* @description The MediaPlayer is the primary dash.js Module and a Facade to build your player around.
* It will allow you access to all the important dash.js properties/methods via the public API and all the
* events to build a robust DASH media player.
*/
function MediaPlayer() {
var STREAMING_NOT_INITIALIZED_ERROR = 'You must first call initialize() and set a source before calling this method';
var PLAYBACK_NOT_INITIALIZED_ERROR = 'You must first call initialize() and set a valid source and view before calling this method';
var ELEMENT_NOT_ATTACHED_ERROR = 'You must first call attachView() to set the video element before calling this method';
var SOURCE_NOT_ATTACHED_ERROR = 'You must first call attachSource() with a valid source before calling this method';
var MEDIA_PLAYER_NOT_INITIALIZED_ERROR = 'MediaPlayer not initialized!';
var MEDIA_PLAYER_BAD_ARGUMENT_ERROR = 'MediaPlayer Invalid Arguments!';
var PLAYBACK_CATCHUP_RATE_BAD_ARGUMENT_ERROR = 'Playback catchup rate invalid argument! Use a number from 0 to 0.2';
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var debug = (0, _coreDebug2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
source = undefined,
protectionData = undefined,
mediaPlayerInitialized = undefined,
streamingInitialized = undefined,
playbackInitialized = undefined,
autoPlay = undefined,
abrController = undefined,
timelineConverter = undefined,
mediaController = undefined,
protectionController = undefined,
metricsReportingController = undefined,
mssHandler = undefined,
adapter = undefined,
metricsModel = undefined,
mediaPlayerModel = undefined,
errHandler = undefined,
capabilities = undefined,
streamController = undefined,
playbackController = undefined,
dashMetrics = undefined,
dashManifestModel = undefined,
manifestModel = undefined,
videoModel = undefined,
textController = undefined,
domStorage = undefined;
/*
---------------------------------------------------------------------------
INIT FUNCTIONS
---------------------------------------------------------------------------
*/
function setup() {
logger = debug.getLogger(instance);
mediaPlayerInitialized = false;
playbackInitialized = false;
streamingInitialized = false;
autoPlay = true;
protectionController = null;
protectionData = null;
adapter = null;
_coreEventsEvents2['default'].extend(_MediaPlayerEvents2['default']);
mediaPlayerModel = (0, _modelsMediaPlayerModel2['default'])(context).getInstance();
videoModel = (0, _modelsVideoModel2['default'])(context).getInstance();
}
/**
* Configure media player with customs controllers. Helpful for tests
*
* @param {object=} config controllers configuration
* @memberof module:MediaPlayer
* @instance
*/
function setConfig(config) {
if (!config) {
return;
}
if (config.capabilities) {
capabilities = config.capabilities;
}
if (config.streamController) {
streamController = config.streamController;
}
if (config.playbackController) {
playbackController = config.playbackController;
}
if (config.mediaPlayerModel) {
mediaPlayerModel = config.mediaPlayerModel;
}
if (config.abrController) {
abrController = config.abrController;
}
if (config.mediaController) {
mediaController = config.mediaController;
}
}
/**
* Upon creating the MediaPlayer you must call initialize before you call anything else.
* There is one exception to this rule. It is crucial to call {@link module:MediaPlayer#extend extend()}
* with all your extensions prior to calling initialize.
*
* ALL arguments are optional and there are individual methods to set each argument later on.
* The args in this method are just for convenience and should only be used for a simple player setup.
*
* @param {HTML5MediaElement=} view - Optional arg to set the video element. {@link module:MediaPlayer#attachView attachView()}
* @param {string=} source - Optional arg to set the media source. {@link module:MediaPlayer#attachSource attachSource()}
* @param {boolean=} AutoPlay - Optional arg to set auto play. {@link module:MediaPlayer#setAutoPlay setAutoPlay()}
* @see {@link module:MediaPlayer#attachView attachView()}
* @see {@link module:MediaPlayer#attachSource attachSource()}
* @see {@link module:MediaPlayer#setAutoPlay setAutoPlay()}
* @memberof module:MediaPlayer
* @instance
*/
function initialize(view, source, AutoPlay) {
if (!capabilities) {
capabilities = (0, _utilsCapabilities2['default'])(context).getInstance();
}
errHandler = (0, _utilsErrorHandler2['default'])(context).getInstance();
if (!capabilities.supportsMediaSource()) {
errHandler.capabilityError('mediasource');
return;
}
if (mediaPlayerInitialized) return;
mediaPlayerInitialized = true;
// init some controllers and models
timelineConverter = (0, _dashUtilsTimelineConverter2['default'])(context).getInstance();
if (!abrController) {
abrController = (0, _controllersAbrController2['default'])(context).getInstance();
}
if (!playbackController) {
playbackController = (0, _controllersPlaybackController2['default'])(context).getInstance();
}
if (!mediaController) {
mediaController = (0, _controllersMediaController2['default'])(context).getInstance();
}
adapter = (0, _dashDashAdapter2['default'])(context).getInstance();
dashManifestModel = (0, _dashModelsDashManifestModel2['default'])(context).getInstance({
mediaController: mediaController,
timelineConverter: timelineConverter,
adapter: adapter
});
manifestModel = (0, _modelsManifestModel2['default'])(context).getInstance();
dashMetrics = (0, _dashDashMetrics2['default'])(context).getInstance({
manifestModel: manifestModel,
dashManifestModel: dashManifestModel
});
metricsModel = (0, _modelsMetricsModel2['default'])(context).getInstance();
textController = (0, _textTextController2['default'])(context).getInstance();
domStorage = (0, _utilsDOMStorage2['default'])(context).getInstance({
mediaPlayerModel: mediaPlayerModel
});
adapter.setConfig({
dashManifestModel: dashManifestModel
});
metricsModel.setConfig({
adapter: adapter
});
restoreDefaultUTCTimingSources();
setAutoPlay(AutoPlay !== undefined ? AutoPlay : true);
if (view) {
attachView(view);
}
if (source) {
attachSource(source);
}
logger.info('[dash.js ' + getVersion() + '] ' + 'MediaPlayer has been initialized');
}
/**
* Sets the MPD source and the video element to null. You can also reset the MediaPlayer by
* calling attachSource with a new source file.
*
* Calling this method is all that is necessary to destroy a MediaPlayer instance.
*
* @memberof module:MediaPlayer
* @instance
*/
function reset() {
attachSource(null);
attachView(null);
protectionData = null;
if (protectionController) {
protectionController.reset();
protectionController = null;
}
if (metricsReportingController) {
metricsReportingController.reset();
metricsReportingController = null;
}
}
/**
* The ready state of the MediaPlayer based on both the video element and MPD source being defined.
*
* @returns {boolean} The current ready state of the MediaPlayer
* @see {@link module:MediaPlayer#attachView attachView()}
* @see {@link module:MediaPlayer#attachSource attachSource()}
* @memberof module:MediaPlayer
* @instance
*/
function isReady() {
return !!source && !!videoModel.getElement();
}
/**
* Use the on method to listen for public events found in MediaPlayer.events. {@link MediaPlayerEvents}
*
* @param {string} type - {@link MediaPlayerEvents}
* @param {Function} listener - callback method when the event fires.
* @param {Object} scope - context of the listener so it can be removed properly.
* @memberof module:MediaPlayer
* @instance
*/
function on(type, listener, scope) {
eventBus.on(type, listener, scope);
}
/**
* Use the off method to remove listeners for public events found in MediaPlayer.events. {@link MediaPlayerEvents}
*
* @param {string} type - {@link MediaPlayerEvents}
* @param {Function} listener - callback method when the event fires.
* @param {Object} scope - context of the listener so it can be removed properly.
* @memberof module:MediaPlayer
* @instance
*/
function off(type, listener, scope) {
eventBus.off(type, listener, scope);
}
/**
* Current version of Dash.js
* @returns {string} the current dash.js version string.
* @memberof module:MediaPlayer
* @instance
*/
function getVersion() {
return (0, _coreVersion.getVersionString)();
}
/**
* Use this method to access the dash.js logging class.
*
* @returns {Debug}
* @memberof module:MediaPlayer
* @instance
*/
function getDebug() {
return debug;
}
/*
---------------------------------------------------------------------------
PLAYBACK FUNCTIONS
---------------------------------------------------------------------------
*/
/**
* Causes the player to begin streaming the media as set by the {@link module:MediaPlayer#attachSource attachSource()}
* method in preparation for playing. It specifically does not require a view to be attached with {@link module:MediaPlayer#attachSource attachView()} to begin preloading.
* When a view is attached after preloading, the buffered data is transferred to the attached mediaSource buffers.
*
* @see {@link module:MediaPlayer#attachSource attachSource()}
* @see {@link module:MediaPlayer#attachView attachView()}
* @memberof module:MediaPlayer
* @instance
*/
function preload() {
if (videoModel.getElement() || streamingInitialized) {
return false;
}
if (source) {
initializePlayback();
} else {
throw SOURCE_NOT_ATTACHED_ERROR;
}
}
/**
* The play method initiates playback of the media defined by the {@link module:MediaPlayer#attachSource attachSource()} method.
* This method will call play on the native Video Element.
*
* @see {@link module:MediaPlayer#attachSource attachSource()}
* @memberof module:MediaPlayer
* @instance
*/
function play() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
if (!autoPlay || isPaused() && playbackInitialized) {
playbackController.play();
}
}
/**
* This method will call pause on the native Video Element.
*
* @memberof module:MediaPlayer
* @instance
*/
function pause() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
playbackController.pause();
}
/**
* Returns a Boolean that indicates whether the Video Element is paused.
* @return {boolean}
* @memberof module:MediaPlayer
* @instance
*/
function isPaused() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
return playbackController.isPaused();
}
/**
* Sets the currentTime property of the attached video element. If it is a live stream with a
* timeShiftBufferLength, then the DVR window offset will be automatically calculated.
*
* @param {number} value - A relative time, in seconds, based on the return value of the {@link module:MediaPlayer#duration duration()} method is expected
* @see {@link module:MediaPlayer#getDVRSeekOffset getDVRSeekOffset()}
* @memberof module:MediaPlayer
* @instance
*/
function seek(value) {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
if (typeof value !== 'number' || isNaN(value)) {
throw MEDIA_PLAYER_BAD_ARGUMENT_ERROR;
}
var s = playbackController.getIsDynamic() ? getDVRSeekOffset(value) : value;
playbackController.seek(s);
}
/**
* Returns a Boolean that indicates whether the media is in the process of seeking to a new position.
* @return {boolean}
* @memberof module:MediaPlayer
* @instance
*/
function isSeeking() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
return playbackController.isSeeking();
}
/**
* Returns a Boolean that indicates whether the media is in the process of dynamic.
* @return {boolean}
* @memberof module:MediaPlayer
* @instance
*/
function isDynamic() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
return playbackController.getIsDynamic();
}
/**
* Use this method to set the native Video Element's playback rate.
* @param {number} value
* @memberof module:MediaPlayer
* @instance
*/
function setPlaybackRate(value) {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
getVideoElement().playbackRate = value;
}
/**
* Returns the current playback rate.
* @returns {number}
* @memberof module:MediaPlayer
* @instance
*/
function getPlaybackRate() {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
return getVideoElement().playbackRate;
}
/**
* Use this method to set the catch up rate, as a percentage, for low latency live streams. In low latency mode,
* when measured latency is higher than the target one ({@link module:MediaPlayer#setLiveDelay setLiveDelay()}),
* dash.js increases playback rate the percentage defined with this method until target is reached.
*
* Valid values for catch up rate are in range 0-20%. Set it to 0% to turn off live catch up feature.
*
* Note: Catch-up mechanism is only applied when playing low latency live streams.
*
* @param {number} value Percentage in which playback rate is increased when live catch up mechanism is activated.
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setLiveDelay setLiveDelay()}
* @default {number} 0.05
* @instance
*/
function setCatchUpPlaybackRate(value) {
if (typeof value !== 'number' || isNaN(value) || value < 0.0 || value > 0.20) {
throw PLAYBACK_CATCHUP_RATE_BAD_ARGUMENT_ERROR;
}
playbackController.setCatchUpPlaybackRate(value);
}
/**
* Returns the current catchup playback rate.
* @returns {number}
* @see {@link module:MediaPlayer#setCatchUpPlaybackRate setCatchUpPlaybackRate()}
* @memberof module:MediaPlayer
* @instance
*/
function getCatchUpPlaybackRate() {
return playbackController.getCatchUpPlaybackRate();
}
/**
* Use this method to set the native Video Element's muted state. Takes a Boolean that determines whether audio is muted. true if the audio is muted and false otherwise.
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
*/
function setMute(value) {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
getVideoElement().muted = value;
}
/**
* A Boolean that determines whether audio is muted.
* @returns {boolean}
* @memberof module:MediaPlayer
* @instance
*/
function isMuted() {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
return getVideoElement().muted;
}
/**
* A double indicating the audio volume, from 0.0 (silent) to 1.0 (loudest).
* @param {number} value
* @memberof module:MediaPlayer
* @instance
*/
function setVolume(value) {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
getVideoElement().volume = value;
}
/**
* Returns the current audio volume, from 0.0 (silent) to 1.0 (loudest).
* @returns {number}
* @memberof module:MediaPlayer
* @instance
*/
function getVolume() {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
return getVideoElement().volume;
}
/**
* The length of the buffer for a given media type, in seconds. Valid media
* types are "video", "audio" and "fragmentedText". If no type is passed
* in, then the minimum of video, audio and fragmentedText buffer length is
* returned. NaN is returned if an invalid type is requested, the
* presentation does not contain that type, or if no arguments are passed
* and the presentation does not include any adaption sets of valid media
* type.
*
* @param {string} type - the media type of the buffer
* @returns {number} The length of the buffer for the given media type, in
* seconds, or NaN
* @memberof module:MediaPlayer
* @instance
*/
function getBufferLength(type) {
var types = [_constantsConstants2['default'].VIDEO, _constantsConstants2['default'].AUDIO, _constantsConstants2['default'].FRAGMENTED_TEXT];
if (!type) {
var buffer = types.map(function (t) {
return getTracksFor(t).length > 0 ? getDashMetrics().getCurrentBufferLevel(getMetricsFor(t)) : Number.MAX_VALUE;
}).reduce(function (p, c) {
return Math.min(p, c);
});
return buffer === Number.MAX_VALUE ? NaN : buffer;
} else {
if (types.indexOf(type) !== -1) {
var buffer = getDashMetrics().getCurrentBufferLevel(getMetricsFor(type));
return buffer ? buffer : NaN;
} else {
logger.warn('getBufferLength requested for invalid type');
return NaN;
}
}
}
/**
* The timeShiftBufferLength (DVR Window), in seconds.
*
* @returns {number} The window of allowable play time behind the live point of a live stream.
* @memberof module:MediaPlayer
* @instance
*/
function getDVRWindowSize() {
var metric = getDVRInfoMetric();
if (!metric) {
return 0;
}
return metric.manifestInfo.DVRWindowSize;
}
/**
* This method should only be used with a live stream that has a valid timeShiftBufferLength (DVR Window).
* NOTE - If you do not need the raw offset value (i.e. media analytics, tracking, etc) consider using the {@link module:MediaPlayer#seek seek()} method
* which will calculate this value for you and set the video element's currentTime property all in one simple call.
*
* @param {number} value - A relative time, in seconds, based on the return value of the {@link module:MediaPlayer#duration duration()} method is expected.
* @returns {number} A value that is relative the available range within the timeShiftBufferLength (DVR Window).
* @see {@link module:MediaPlayer#seek seek()}
* @memberof module:MediaPlayer
* @instance
*/
function getDVRSeekOffset(value) {
var metric = getDVRInfoMetric();
if (!metric) {
return 0;
}
var liveDelay = playbackController.getLiveDelay();
var val = metric.range.start + value;
if (val > metric.range.end - liveDelay) {
val = metric.range.end - liveDelay;
}
return val;
}
/**
* Current time of the playhead, in seconds.
*
* If called with no arguments then the returned time value is time elapsed since the start point of the first stream, or if it is a live stream, then the time will be based on the return value of the {@link module:MediaPlayer#duration duration()} method.
* However if a stream ID is supplied then time is relative to the start of that stream, or is null if there is no such stream id in the manifest.
*
* @param {string} streamId - The ID of a stream that the returned playhead time must be relative to the start of. If undefined, then playhead time is relative to the first stream.
* @returns {number} The current playhead time of the media, or null.
* @memberof module:MediaPlayer
* @instance
*/
function time(streamId) {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
var t = getVideoElement().currentTime;
if (streamId !== undefined) {
t = streamController.getTimeRelativeToStreamId(t, streamId);
} else if (playbackController.getIsDynamic()) {
var metric = getDVRInfoMetric();
t = metric === null ? 0 : duration() - (metric.range.end - metric.time);
}
return t;
}
/**
* Duration of the media's playback, in seconds.
*
* @returns {number} The current duration of the media.
* @memberof module:MediaPlayer
* @instance
*/
function duration() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
var d = getVideoElement().duration;
if (playbackController.getIsDynamic()) {
var metric = getDVRInfoMetric();
var range = undefined;
if (!metric) {
return 0;
}
range = metric.range.end - metric.range.start;
d = range < metric.manifestInfo.DVRWindowSize ? range : metric.manifestInfo.DVRWindowSize;
}
return d;
}
/**
* Use this method to get the current playhead time as an absolute value, the time in seconds since midnight UTC, Jan 1 1970.
* Note - this property only has meaning for live streams. If called before play() has begun, it will return a value of NaN.
*
* @returns {number} The current playhead time as UTC timestamp.
* @memberof module:MediaPlayer
* @instance
*/
function timeAsUTC() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
if (time() < 0) {
return NaN;
}
return getAsUTC(time());
}
/**
* Use this method to get the current duration as an absolute value, the time in seconds since midnight UTC, Jan 1 1970.
* Note - this property only has meaning for live streams.
*
* @returns {number} The current duration as UTC timestamp.
* @memberof module:MediaPlayer
* @instance
*/
function durationAsUTC() {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
return getAsUTC(duration());
}
/*
---------------------------------------------------------------------------
AUTO BITRATE
---------------------------------------------------------------------------
*/
/**
* When switching multi-bitrate content (auto or manual mode) this property specifies the maximum bitrate allowed.
* If you set this property to a value lower than that currently playing, the switching engine will switch down to
* satisfy this requirement. If you set it to a value that is lower than the lowest bitrate, it will still play
* that lowest bitrate.
*
* You can set or remove this bitrate cap at anytime before or during playback. To clear this setting you must use the API
* and set the value param to NaN.
*
* This feature is typically used to reserve higher bitrates for playback only when the player is in large or full-screen format.
*
* @param {string} type - 'video' or 'audio' are the type options.
* @param {number} value - Value in kbps representing the maximum bitrate allowed.
* @memberof module:MediaPlayer
* @instance
*/
function setMaxAllowedBitrateFor(type, value) {
abrController.setMaxAllowedBitrateFor(type, value);
}
/**
* When switching multi-bitrate content (auto or manual mode) this property specifies the minimum bitrate allowed.
* If you set this property to a value higher than that currently playing, the switching engine will switch up to
* satisfy this requirement. If you set it to a value that is lower than the lowest bitrate, it will still play
* that lowest bitrate.
*
* You can set or remove this bitrate limit at anytime before or during playback. To clear this setting you must use the API
* and set the value param to NaN.
*
* This feature is used to force higher quality playback.
*
* @param {string} type - 'video' or 'audio' are the type options.
* @param {number} value - Value in kbps representing the minimum bitrate allowed.
* @memberof module:MediaPlayer
* @instance
*/
function setMinAllowedBitrateFor(type, value) {
abrController.setMinAllowedBitrateFor(type, value);
}
/**
* @param {string} type - 'video' or 'audio' are the type options.
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setMaxAllowedBitrateFor setMaxAllowedBitrateFor()}
* @instance
*/
function getMaxAllowedBitrateFor(type) {
return abrController.getMaxAllowedBitrateFor(type);
}
/**
* Gets the top quality BitrateInfo checking portal limit and max allowed.
*
* It calls getTopQualityIndexFor internally
*
* @param {string} type - 'video' or 'audio' are the type options.
* @memberof module:MediaPlayer
* @returns {BitrateInfo | null}
* @instance
*/
function getTopBitrateInfoFor(type) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
return abrController.getTopBitrateInfoFor(type);
}
/**
* @param {string} type - 'video' or 'audio' are the type options.
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setMinAllowedBitrateFor setMinAllowedBitrateFor()}
* @instance
*/
function getMinAllowedBitrateFor(type) {
return abrController.getMinAllowedBitrateFor(type);
}
/**
* When switching multi-bitrate content (auto or manual mode) this property specifies the maximum representation allowed,
* as a proportion of the size of the representation set.
*
* You can set or remove this cap at anytime before or during playback. To clear this setting you must use the API
* and set the value param to NaN.
*
* If both this and maxAllowedBitrate are defined, maxAllowedBitrate is evaluated first, then maxAllowedRepresentation,
* i.e. the lowest value from executing these rules is used.
*
* This feature is typically used to reserve higher representations for playback only when connected over a fast connection.
*
* @param {string} type - 'video' or 'audio' are the type options.
* @param {number} value - number between 0 and 1, where 1 is allow all representations, and 0 is allow only the lowest.
* @memberof module:MediaPlayer
* @instance
*/
function setMaxAllowedRepresentationRatioFor(type, value) {
abrController.setMaxAllowedRepresentationRatioFor(type, value);
}
/**
* @param {string} type - 'video' or 'audio' are the type options.
* @returns {number} The current representation ratio cap.
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setMaxAllowedRepresentationRatioFor setMaxAllowedRepresentationRatioFor()}
* @instance
*/
function getMaxAllowedRepresentationRatioFor(type) {
return abrController.getMaxAllowedRepresentationRatioFor(type);
}
/**
* Gets the current download quality for media type video, audio or images. For video and audio types the ABR
* rules update this value before every new download unless setAutoSwitchQualityFor(type, false) is called. For 'image'
* type, thumbnails, there is no ABR algorithm and quality is set manually.
*
* @param {string} type - 'video', 'audio' or 'image' (thumbnails)
* @returns {number} the quality index, 0 corresponding to the lowest bitrate
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setAutoSwitchQualityFor setAutoSwitchQualityFor()}
* @see {@link module:MediaPlayer#setQualityFor setQualityFor()}
* @instance
*/
function getQualityFor(type) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
if (type === _constantsConstants2['default'].IMAGE) {
var activeStream = getActiveStream();
if (!activeStream) {
return -1;
}
var thumbnailController = activeStream.getThumbnailController();
if (!thumbnailController) {
return -1;
}
return thumbnailController.getCurrentTrackIndex();
}
return abrController.getQualityFor(type, streamController.getActiveStreamInfo());
}
/**
* Sets the current quality for media type instead of letting the ABR Heuristics automatically selecting it.
* This value will be overwritten by the ABR rules unless setAutoSwitchQualityFor(type, false) is called.
*
* @param {string} type - 'video', 'audio' or 'image'
* @param {number} value - the quality index, 0 corresponding to the lowest bitrate
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setAutoSwitchQualityFor setAutoSwitchQualityFor()}
* @see {@link module:MediaPlayer#getQualityFor getQualityFor()}
* @instance
*/
function setQualityFor(type, value) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
if (type === _constantsConstants2['default'].IMAGE) {
var activeStream = getActiveStream();
if (!activeStream) {
return;
}
var thumbnailController = activeStream.getThumbnailController();
if (thumbnailController) {
thumbnailController.setTrackByIndex(value);
}
}
abrController.setPlaybackQuality(type, streamController.getActiveStreamInfo(), value);
}
/**
* Update the video element size variables
* Should be called on window resize (or any other time player is resized). Fullscreen does trigger a window resize event.
*
* Once windowResizeEventCalled = true, abrController.checkPortalSize() will use element size variables rather than querying clientWidth every time.
*
* @memberof module:MediaPlayer
* @instance
*/
function updatePortalSize() {
abrController.setElementSize();
abrController.setWindowResizeEventCalled(true);
}
/**
* @memberof module:MediaPlayer
* @instance
*/
function getLimitBitrateByPortal() {
return abrController.getLimitBitrateByPortal();
}
/**
* Sets whether to limit the representation used based on the size of the playback area
*
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
*/
function setLimitBitrateByPortal(value) {
abrController.setLimitBitrateByPortal(value);
}
/**
* @memberof module:MediaPlayer
* @instance
*/
function getUsePixelRatioInLimitBitrateByPortal() {
return abrController.getUsePixelRatioInLimitBitrateByPortal();
}
/**
* Sets whether to take into account the device's pixel ratio when defining the portal dimensions.
* Useful on, for example, retina displays.
*
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
* @default {boolean} false
*/
function setUsePixelRatioInLimitBitrateByPortal(value) {
abrController.setUsePixelRatioInLimitBitrateByPortal(value);
}
/**
* Use this method to explicitly set the starting bitrate for audio | video
*
* @param {string} type
* @param {number} value - A value of the initial bitrate, kbps
* @memberof module:MediaPlayer
* @instance
*/
function setInitialBitrateFor(type, value) {
abrController.setInitialBitrateFor(type, value);
}
/**
* @param {string} type
* @returns {number} A value of the initial bitrate, kbps
* @memberof module:MediaPlayer
* @instance
*/
function getInitialBitrateFor(type) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR; //abrController.getInitialBitrateFor is overloaded with ratioDict logic that needs manifest force it to not be callable pre play.
}
return abrController.getInitialBitrateFor(type);
}
/**
* @param {string} type
* @param {number} value - A value of the initial Representation Ratio
* @memberof module:MediaPlayer
* @instance
*/
function setInitialRepresentationRatioFor(type, value) {
abrController.setInitialRepresentationRatioFor(type, value);
}
/**
* @param {string} type
* @returns {number} A value of the initial Representation Ratio
* @memberof module:MediaPlayer
* @instance
*/
function getInitialRepresentationRatioFor(type) {
return abrController.getInitialRepresentationRatioFor(type);
}
/**
* @param {string} type - 'audio' | 'video'
* @returns {boolean} Current state of adaptive bitrate switching
* @memberof module:MediaPlayer
* @instance
*/
function getAutoSwitchQualityFor(type) {
return abrController.getAutoSwitchBitrateFor(type);
}
/**
* Set to false to switch off adaptive bitrate switching.
*
* @param {string} type - 'audio' | 'video'
* @param {boolean} value
* @default true
* @memberof module:MediaPlayer
* @instance
*/
function setAutoSwitchQualityFor(type, value) {
abrController.setAutoSwitchBitrateFor(type, value);
}
/**
* Get the value of useDeadTimeLatency in AbrController. @see setUseDeadTimeLatencyForAbr
*
* @returns {boolean}
*
* @memberof module:MediaPlayer
* @instance
*/
function getUseDeadTimeLatencyForAbr() {
return abrController.getUseDeadTimeLatency();
}
/**
* Set the value of useDeadTimeLatency in AbrController. If true, only the download
* portion will be considered part of the download bitrate and latency will be
* regarded as static. If false, the reciprocal of the whole transfer time will be used.
* Defaults to true.
*
* @param {boolean=} useDeadTimeLatency - True or false flag.
*
* @memberof module:MediaPlayer
* @instance
*/
function setUseDeadTimeLatencyForAbr(useDeadTimeLatency) {
if (typeof useDeadTimeLatency !== 'boolean') {
throw MEDIA_PLAYER_BAD_ARGUMENT_ERROR;
}
abrController.setUseDeadTimeLatency(useDeadTimeLatency);
}
/*
---------------------------------------------------------------------------
MEDIA PLAYER CONFIGURATION
---------------------------------------------------------------------------
*/
/**
* <p>Set to false to prevent stream from auto-playing when the view is attached.</p>
*
* @param {boolean} value
* @default true
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#attachView attachView()}
* @instance
*
*/
function setAutoPlay(value) {
autoPlay = value;
}
/**
* @returns {boolean} The current autoPlay state.
* @memberof module:MediaPlayer
* @instance
*/
function getAutoPlay() {
return autoPlay;
}
/**
* <p>Changing this value will lower or increase live stream latency. The detected segment duration will be multiplied by this value
* to define a time in seconds to delay a live stream from the live edge.</p>
* <p>Lowering this value will lower latency but may decrease the player's ability to build a stable buffer.</p>
*
* @param {number} value - Represents how many segment durations to delay the live stream.
* @default 4
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#useSuggestedPresentationDelay useSuggestedPresentationDelay()}
* @instance
*/
function setLiveDelayFragmentCount(value) {
mediaPlayerModel.setLiveDelayFragmentCount(value);
}
/**
* <p>Equivalent in seconds of setLiveDelayFragmentCount</p>
* <p>Lowering this value will lower latency but may decrease the player's ability to build a stable buffer.</p>
* <p>This value should be less than the manifest duration by a couple of segment durations to avoid playback issues</p>
* <p>If set, this parameter will take precedence over setLiveDelayFragmentCount and manifest info</p>
*
* @param {number} value - Represents how many seconds to delay the live stream.
* @default undefined
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#useSuggestedPresentationDelay useSuggestedPresentationDelay()}
* @instance
*/
function setLiveDelay(value) {
mediaPlayerModel.setLiveDelay(value);
}
/**
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setLiveDelay setLiveDelay()}
* @instance
* @returns {number|undefined} Current live stream delay in seconds when previously set, or `undefined`
*/
function getLiveDelay() {
return mediaPlayerModel.getLiveDelay();
}
/**
* @memberof module:MediaPlayer
* @instance
* @returns {number|NaN} Current live stream latency in seconds. It is the difference between current time and time position at the playback head.
*/
function getCurrentLiveLatency() {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
if (!playbackInitialized) {
return NaN;
}
return playbackController.getCurrentLiveLatency();
}
/**
* <p>Set to true if you would like to override the default live delay and honor the SuggestedPresentationDelay attribute in by the manifest.</p>
* @param {boolean} value
* @default false
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#setLiveDelayFragmentCount setLiveDelayFragmentCount()}
* @instance
*/
function useSuggestedPresentationDelay(value) {
mediaPlayerModel.setUseSuggestedPresentationDelay(value);
}
/**
* Set to false if you would like to disable the last known bit rate from being stored during playback and used
* to set the initial bit rate for subsequent playback within the expiration window.
*
* The default expiration is one hour, defined in milliseconds. If expired, the default initial bit rate (closest to 1000 kbps) will be used
* for that session and a new bit rate will be stored during that session.
*
* @param {boolean} enable - Will toggle if feature is enabled. True to enable, False to disable.
* @param {number=} ttl - (Optional) A value defined in milliseconds representing how long to cache the bit rate for. Time to live.
* @default enable = True, ttl = 360000 (1 hour)
* @memberof module:MediaPlayer
* @instance
*
*/
function enableLastBitrateCaching(enable, ttl) {
mediaPlayerModel.setLastBitrateCachingInfo(enable, ttl);
}
/**
* Set to false if you would like to disable the last known lang for audio (or camera angle for video) from being stored during playback and used
* to set the initial settings for subsequent playback within the expiration window.
*
* The default expiration is one hour, defined in milliseconds. If expired, the default settings will be used
* for that session and a new settings will be stored during that session.
*
* @param {boolean} enable - Will toggle if feature is enabled. True to enable, False to disable.
* @param {number=} [ttl] - (Optional) A value defined in milliseconds representing how long to cache the settings for. Time to live.
* @default enable = True, ttl = 360000 (1 hour)
* @memberof module:MediaPlayer
* @instance
*
*/
function enableLastMediaSettingsCaching(enable, ttl) {
mediaPlayerModel.setLastMediaSettingsCachingInfo(enable, ttl);
}
/**
* Set to true if you would like dash.js to keep downloading fragments in the background
* when the video element is paused.
*
* @default true
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
*/
function setScheduleWhilePaused(value) {
mediaPlayerModel.setScheduleWhilePaused(value);
}
/**
* Returns a boolean of the current state of ScheduleWhilePaused.
* @returns {boolean}
* @see {@link module:MediaPlayer#setScheduleWhilePaused setScheduleWhilePaused()}
* @memberof module:MediaPlayer
* @instance
*/
function getScheduleWhilePaused() {
return mediaPlayerModel.getScheduleWhilePaused();
}
/**
* When enabled, after an ABR up-switch in quality, instead of requesting and appending the next fragment
* at the end of the current buffer range it is requested and appended closer to the current time
* When enabled, The maximum time to render a higher quality is current time + (1.5 * fragment duration).
*
* Note, When ABR down-switch is detected, we appended the lower quality at the end of the buffer range to preserve the
* higher quality media for as long as possible.
*
* If enabled, it should be noted there are a few cases when the client will not replace inside buffer range but rather
* just append at the end. 1. When the buffer level is less than one fragment duration 2. The client
* is in an Abandonment State due to recent fragment abandonment event.
*
* Known issues:
* 1. In IE11 with auto switching off, if a user switches to a quality they can not download in time the
* fragment may be appended in the same range as the playhead or even in the past, in IE11 it may cause a stutter
* or stall in playback.
*
*
* @param {boolean} value
* @default {boolean} false
* @memberof module:MediaPlayer
* @instance
*/
function setFastSwitchEnabled(value) {
//TODO we need to look at track switches for adaptation sets. If always replace it works much like this but clears buffer. Maybe too many ways to do same thing.
mediaPlayerModel.setFastSwitchEnabled(value);
}
/**
* Enabled by default. Will return the current state of Fast Switch.
* @return {boolean} Returns true if FastSwitch ABR is enabled.
* @see {@link module:MediaPlayer#setFastSwitchEnabled setFastSwitchEnabled()}
* @memberof module:MediaPlayer
* @instance
*/
function getFastSwitchEnabled() {
return mediaPlayerModel.getFastSwitchEnabled();
}
/**
* Sets the ABR strategy. Valid strategies are "abrDynamic", "abrBola" and "abrThroughput".
* The ABR strategy can also be changed during a streaming session.
* The call has no effect if an invalid method is passed.
*
* The BOLA strategy chooses bitrate based on current buffer level, with higher bitrates for higher buffer levels.
* The Throughput strategy chooses bitrate based on the recent throughput history.
* The Dynamic strategy switches smoothly between BOLA and Throughput in real time, playing to the strengths of both.
*
* @param {string} value
* @default "abrDynamic"
* @memberof module:MediaPlayer
* @instance
*/
function setABRStrategy(value) {
if (value === _constantsConstants2['default'].ABR_STRATEGY_DYNAMIC || value === _constantsConstants2['default'].ABR_STRATEGY_BOLA || value === _constantsConstants2['default'].ABR_STRATEGY_THROUGHPUT) {
mediaPlayerModel.setABRStrategy(value);
} else {
logger.warn('Ignoring setABRStrategy(' + value + ') - unknown value.');
}
}
/**
* Returns the current ABR strategy being used.
* @return {string} "abrDynamic", "abrBola" or "abrThroughput"
* @see {@link module:MediaPlayer#setABRStrategy setABRStrategy()}
* @memberof module:MediaPlayer
* @instance
*/
function getABRStrategy() {
return mediaPlayerModel.getABRStrategy();
}
/**
* Enable/disable builtin dashjs ABR rules
* @param {boolean} value
* @default true
* @memberof module:MediaPlayer
* @instance
*/
function useDefaultABRRules(value) {
mediaPlayerModel.setUseDefaultABRRules(value);
}
/**
* Add a custom ABR Rule
* Rule will be apply on next stream if a stream is being played
*
* @param {string} type - rule type (one of ['qualitySwitchRules','abandonFragmentRules'])
* @param {string} rulename - name of rule (used to identify custom rule). If one rule of same name has been added, then existing rule will be updated
* @param {object} rule - the rule object instance
* @memberof module:MediaPlayer
* @instance
*/
function addABRCustomRule(type, rulename, rule) {
mediaPlayerModel.addABRCustomRule(type, rulename, rule);
}
/**
* Remove a custom ABR Rule
*
* @param {string} rulename - name of the rule to be removed
* @memberof module:MediaPlayer
* @instance
*/
function removeABRCustomRule(rulename) {
mediaPlayerModel.removeABRCustomRule(rulename);
}
/**
* Remove all custom rules
* @memberof module:MediaPlayer
* @instance
*/
function removeAllABRCustomRule() {
mediaPlayerModel.removeAllABRCustomRule();
}
/**
* Sets the moving average method used for smoothing throughput estimates. Valid methods are
* "slidingWindow" and "ewma". The call has no effect if an invalid method is passed.
*
* The sliding window moving average method computes the average throughput using the last four segments downloaded.
* If the stream is live (as opposed to VOD), then only the last three segments are used.
* If wide variations in throughput are detected, the number of segments can be dynamically increased to avoid oscillations.
*
* The exponentially weighted moving average (EWMA) method computes the average using exponential smoothing.
* Two separate estimates are maintained, a fast one with a three-second half life and a slow one with an eight-second half life.
* The throughput estimate at any time is the minimum of the fast and slow estimates.
* This allows a fast reaction to a bandwidth drop and prevents oscillations on bandwidth spikes.
*
* @param {string} value
* @default {string} 'slidingWindow'
* @memberof module:MediaPlayer
* @instance
*/
function setMovingAverageMethod(value) {
if (value === _constantsConstants2['default'].MOVING_AVERAGE_SLIDING_WINDOW || value === _constantsConstants2['default'].MOVING_AVERAGE_EWMA) {
mediaPlayerModel.setMovingAverageMethod(value);
} else {
logger.warn('Warning: Ignoring setMovingAverageMethod(' + value + ') - unknown value.');
}
}
/**
* Return the current moving average method used for smoothing throughput estimates.
* @return {string} Returns "slidingWindow" or "ewma".
* @see {@link module:MediaPlayer#setMovingAverageMethod setMovingAverageMethod()}
* @memberof module:MediaPlayer
* @instance
*/
function getMovingAverageMethod() {
return mediaPlayerModel.getMovingAverageMethod();
}
/**
* Returns if low latency mode is enabled. Disabled by default.
* @return {boolean} true - if enabled
* @see {@link module:MediaPlayer#setLowLatencyEnabled setLowLatencyEnabled()}
* @memberof module:MediaPlayer
* @instance
*/
function getLowLatencyEnabled() {
return mediaPlayerModel.getLowLatencyEnabled();
}
/**
* Enables low latency mode for dynamic streams. If not specified, liveDelay is set to 3s of buffer.
* Browser compatibility (Check row 'ReadableStream response body'): https://developer.mozilla.org/en-US/docs/Web/API/Fetch_API
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
*/
function setLowLatencyEnabled(value) {
mediaPlayerModel.setLowLatencyEnabled(value);
}
/**
* <p>Allows you to set a scheme and server source for UTC live edge detection for dynamic streams.
* If UTCTiming is defined in the manifest, it will take precedence over any time source manually added.</p>
* <p>If you have exposed the Date header, use the method {@link module:MediaPlayer#clearDefaultUTCTimingSources clearDefaultUTCTimingSources()}.
* This will allow the date header on the manifest to be used instead of a time server</p>
* @param {string} schemeIdUri - <ul>
* <li>urn:mpeg:dash:utc:http-head:2014</li>
* <li>urn:mpeg:dash:utc:http-xsdate:2014</li>
* <li>urn:mpeg:dash:utc:http-iso:2014</li>
* <li>urn:mpeg:dash:utc:direct:2014</li>
* </ul>
* <p>Some specs referencing early ISO23009-1 drafts incorrectly use
* 2012 in the URI, rather than 2014. support these for now.</p>
* <ul>
* <li>urn:mpeg:dash:utc:http-head:2012</li>
* <li>urn:mpeg:dash:utc:http-xsdate:2012</li>
* <li>urn:mpeg:dash:utc:http-iso:2012</li>
* <li>urn:mpeg:dash:utc:direct:2012</li>
* </ul>
* @param {string} value - Path to a time source.
* @default
* <ul>
* <li>schemeIdUri:urn:mpeg:dash:utc:http-xsdate:2014</li>
* <li>value:http://time.akamai.com</li>
* </ul>
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#removeUTCTimingSource removeUTCTimingSource()}
* @instance
*/
function addUTCTimingSource(schemeIdUri, value) {
removeUTCTimingSource(schemeIdUri, value); //check if it already exists and remove if so.
var vo = new _dashVoUTCTiming2['default']();
vo.schemeIdUri = schemeIdUri;
vo.value = value;
mediaPlayerModel.getUTCTimingSources().push(vo);
}
/**
* <p>Allows you to remove a UTC time source. Both schemeIdUri and value need to match the Dash.vo.UTCTiming properties in order for the
* entry to be removed from the array</p>
* @param {string} schemeIdUri - see {@link module:MediaPlayer#addUTCTimingSource addUTCTimingSource()}
* @param {string} value - see {@link module:MediaPlayer#addUTCTimingSource addUTCTimingSource()}
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#clearDefaultUTCTimingSources clearDefaultUTCTimingSources()}
* @instance
*/
function removeUTCTimingSource(schemeIdUri, value) {
var UTCTimingSources = mediaPlayerModel.getUTCTimingSources();
UTCTimingSources.forEach(function (obj, idx) {
if (obj.schemeIdUri === schemeIdUri && obj.value === value) {
UTCTimingSources.splice(idx, 1);
}
});
}
/**
* <p>Allows you to clear the stored array of time sources.</p>
* <p>Example use: If you have exposed the Date header, calling this method
* will allow the date header on the manifest to be used instead of the time server.</p>
* <p>Example use: Calling this method, assuming there is not an exposed date header on the manifest, will default back
* to using a binary search to discover the live edge</p>
*
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#restoreDefaultUTCTimingSources restoreDefaultUTCTimingSources()}
* @instance
*/
function clearDefaultUTCTimingSources() {
mediaPlayerModel.setUTCTimingSources([]);
}
/**
* <p>Allows you to restore the default time sources after calling {@link module:MediaPlayer#clearDefaultUTCTimingSources clearDefaultUTCTimingSources()}</p>
*
* @default
* <ul>
* <li>schemeIdUri:urn:mpeg:dash:utc:http-xsdate:2014</li>
* <li>value:http://time.akamai.com</li>
* </ul>
*
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#addUTCTimingSource addUTCTimingSource()}
* @instance
*/
function restoreDefaultUTCTimingSources() {
addUTCTimingSource(_modelsMediaPlayerModel2['default'].DEFAULT_UTC_TIMING_SOURCE.scheme, _modelsMediaPlayerModel2['default'].DEFAULT_UTC_TIMING_SOURCE.value);
}
/**
* <p>Allows you to enable the use of the Date Header, if exposed with CORS, as a timing source for live edge detection. The
* use of the date header will happen only after the other timing source that take precedence fail or are omitted as described.
* {@link module:MediaPlayer#clearDefaultUTCTimingSources clearDefaultUTCTimingSources()} </p>
*
* @param {boolean} value - true to enable
* @default {boolean} True
* @memberof module:MediaPlayer
* @see {@link module:MediaPlayer#addUTCTimingSource addUTCTimingSource()}
* @instance
*/
function enableManifestDateHeaderTimeSource(value) {
mediaPlayerModel.setUseManifestDateHeaderTimeSource(value);
}
/**
* This value influences the buffer pruning logic.
* Allows you to modify the buffer that is kept in source buffer in seconds.
* <pre>0|-----------bufferToPrune-----------|-----bufferToKeep-----|currentTime|</pre>
*
* @default 20 seconds
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setBufferToKeep(value) {
mediaPlayerModel.setBufferToKeep(value);
}
/**
* This value influences the buffer pruning logic.
* Allows you to modify the buffer ahead of current time position that is kept in source buffer in seconds.
* <pre>0|--------|currentTime|-----bufferAheadToKeep----|----bufferToPrune-----------|end|</pre>
*
* @default 80 seconds
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setBufferAheadToKeep(value) {
mediaPlayerModel.setBufferAheadToKeep(value);
}
/**
* This value influences the buffer pruning logic.
* Allows you to modify the interval of pruning buffer in seconds.
*
* @default 10 seconds
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setBufferPruningInterval(value) {
mediaPlayerModel.setBufferPruningInterval(value);
}
/**
* The time that the internal buffer target will be set to post startup/seeks (NOT top quality).
*
* When the time is set higher than the default you will have to wait longer
* to see automatic bitrate switches but will have a larger buffer which
* will increase stability.
*
* Note: The value set for Stable Buffer Time is not considered when Low Latency Mode is enabled.
* When in Low Latency mode dash.js takes ownership of Stable Buffer Time value to minimize latency
* that comes from buffer filling process.
*
* @default 12 seconds.
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setStableBufferTime(value) {
mediaPlayerModel.setStableBufferTime(value);
}
/**
* The time that the internal buffer target will be set to post startup/seeks (NOT top quality).
*
* When the time is set higher than the default you will have to wait longer
* to see automatic bitrate switches but will have a larger buffer which
* will increase stability.
*
* @default 12 seconds.
* @memberof module:MediaPlayer
* @instance
*/
function getStableBufferTime() {
return mediaPlayerModel.getStableBufferTime();
}
/**
* The time that the internal buffer target will be set to once playing the top quality.
* If there are multiple bitrates in your adaptation, and the media is playing at the highest
* bitrate, then we try to build a larger buffer at the top quality to increase stability
* and to maintain media quality.
*
* @default 30 seconds.
* @param {int} value
/**
* The time that the internal buffer target will be set to once playing the top quality.
* If there are multiple bitrates in your adaptation, and the media is playing at the highest
* bitrate, then we try to build a larger buffer at the top quality to increase stability
* and to maintain media quality.
*
* @default 30 seconds.
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setBufferTimeAtTopQuality(value) {
mediaPlayerModel.setBufferTimeAtTopQuality(value);
}
/**
* The time that the internal buffer target will be set to once playing the top quality.
* If there are multiple bitrates in your adaptation, and the media is playing at the highest
* bitrate, then we try to build a larger buffer at the top quality to increase stability
* and to maintain media quality.
*
* @default 30 seconds.
* @memberof module:MediaPlayer
* @instance
*/
function getBufferTimeAtTopQuality() {
return mediaPlayerModel.getBufferTimeAtTopQuality();
}
/**
* The time that the internal buffer target will be set to once playing the top quality for long form content.
*
* @default 60 seconds.
* @see {@link module:MediaPlayer#setLongFormContentDurationThreshold setLongFormContentDurationThreshold()}
* @see {@link module:MediaPlayer#setBufferTimeAtTopQuality setBufferTimeAtTopQuality()}
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setBufferTimeAtTopQualityLongForm(value) {
mediaPlayerModel.setBufferTimeAtTopQualityLongForm(value);
}
/**
* The time that the internal buffer target will be set to once playing the top quality for long form content.
*
* @default 60 seconds.
* @see {@link module:MediaPlayer#setLongFormContentDurationThreshold setLongFormContentDurationThreshold()}
* @see {@link module:MediaPlayer#setBufferTimeAtTopQuality setBufferTimeAtTopQuality()}
* @memberof module:MediaPlayer
* @instance
*/
function getBufferTimeAtTopQualityLongForm() {
return mediaPlayerModel.getBufferTimeAtTopQualityLongForm();
}
/**
* The threshold which defines if the media is considered long form content.
* This will directly affect the buffer targets when playing back at the top quality.
*
* @see {@link module:MediaPlayer#setBufferTimeAtTopQualityLongForm setBufferTimeAtTopQualityLongForm()}
* @default 600 seconds (10 minutes).
* @param {number} value
* @memberof module:MediaPlayer
* @instance
*/
function setLongFormContentDurationThreshold(value) {
mediaPlayerModel.setLongFormContentDurationThreshold(value);
}
/**
* The overlap tolerance time, at both the head and the tail of segments, considered when doing time to segment conversions.
*
* This is used when calculating which of the loaded segments of a representation corresponds with a given time position.
* Its value is never used for calculating the segment index in seeking operations in which it assumes overlap time threshold is zero.
*
* <pre>
* |-o-|--- segment X ----|-o-|
* |-o-|---- segment X+1 -----|-o-|
* |-o-|---- segment X+2 -----|-o-|
* </pre>
* @default 0.05 seconds.
* @param {number} value
* @memberof module:MediaPlayer
* @instance
*/
function setSegmentOverlapToleranceTime(value) {
mediaPlayerModel.setSegmentOverlapToleranceTime(value);
}
/**
* For a given media type, the threshold which defines if the response to a fragment
* request is coming from browser cache or not.
* Valid media types are "video", "audio"
*
* @default 50 milliseconds for video fragment requests; 5 milliseconds for audio fragment requests.
* @param {string} type 'video' or 'audio' are the type options.
* @param {number} value Threshold value in milliseconds.
* @memberof module:MediaPlayer
* @instance
*/
function setCacheLoadThresholdForType(type, value) {
mediaPlayerModel.setCacheLoadThresholdForType(type, value);
}
/**
* A percentage between 0.0 and 1 to reduce the measured throughput calculations.
* The default is 0.9. The lower the value the more conservative and restricted the
* measured throughput calculations will be. please use carefully. This will directly
* affect the ABR logic in dash.js
*
* @param {number} value
* @memberof module:MediaPlayer
* @instance
*/
function setBandwidthSafetyFactor(value) {
mediaPlayerModel.setBandwidthSafetyFactor(value);
}
/**
* Returns the number of the current BandwidthSafetyFactor
*
* @return {number} value
* @see {@link module:MediaPlayer#setBandwidthSafetyFactor setBandwidthSafetyFactor()}
* @memberof module:MediaPlayer
* @instance
*/
function getBandwidthSafetyFactor() {
return mediaPlayerModel.getBandwidthSafetyFactor();
}
/**
* Returns the average throughput computed in the ABR logic
*
* @param {string} type
* @return {number} value
* @memberof module:MediaPlayer
* @instance
*/
function getAverageThroughput(type) {
var throughputHistory = abrController.getThroughputHistory();
return throughputHistory ? throughputHistory.getAverageThroughput(type) : 0;
}
/**
* A timeout value in seconds, which during the ABRController will block switch-up events.
* This will only take effect after an abandoned fragment event occurs.
*
* @default 10 seconds
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setAbandonLoadTimeout(value) {
mediaPlayerModel.setAbandonLoadTimeout(value);
}
/**
* Total number of retry attempts that will occur on a fragment load before it fails.
* Increase this value to a maximum in order to achieve an automatic playback resume
* in case of completely lost internet connection.
*
* Note: This parameter is not taken into account when Low Latency Mode is enabled. For Low Latency
* Playback dash.js takes control and sets a number of retry attempts that ensures playback stability.
*
* @default 3
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setFragmentLoaderRetryAttempts(value) {
mediaPlayerModel.setFragmentRetryAttempts(value);
}
/**
* Time in milliseconds of which to reload a failed fragment load attempt.
*
* @default 1000 milliseconds
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setFragmentLoaderRetryInterval(value) {
mediaPlayerModel.setFragmentRetryInterval(value);
}
/**
* Total number of retry attempts that will occur on a manifest load before it fails.
*
* @default 4
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setManifestLoaderRetryAttempts(value) {
mediaPlayerModel.setManifestRetryAttempts(value);
}
/**
* Time in milliseconds of which to reload a failed manifest load attempt.
*
* @default 1000 milliseconds
* @param {int} value
* @memberof module:MediaPlayer
* @instance
*/
function setManifestLoaderRetryInterval(value) {
mediaPlayerModel.setManifestRetryInterval(value);
}
/**
* Sets whether withCredentials on XHR requests for a particular request
* type is true or false
*
* @default false
* @param {string} type - one of HTTPRequest.*_TYPE
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
*/
function setXHRWithCredentialsForType(type, value) {
mediaPlayerModel.setXHRWithCredentialsForType(type, value);
}
/**
* Gets whether withCredentials on XHR requests for a particular request
* type is true or false
*
* @param {string} type - one of HTTPRequest.*_TYPE
* @return {boolean}
* @memberof module:MediaPlayer
* @instance
*/
function getXHRWithCredentialsForType(type) {
return mediaPlayerModel.getXHRWithCredentialsForType(type);
}
/**
* Sets whether player should jump small gaps (discontinuities) in the buffer.
*
* @param {boolean} value
* @default false
* @memberof module:MediaPlayer
* @instance
*
*/
function setJumpGaps(value) {
mediaPlayerModel.setJumpGaps(value);
}
/**
* Gets current status of jump gaps feature.
* @returns {boolean} The current jump gaps state.
* @memberof module:MediaPlayer
* @instance
*/
function getJumpGaps() {
return mediaPlayerModel.getJumpGaps();
}
/**
* Time in seconds for a gap to be considered small.
*
* @param {boolean} value
* @default 0.8
* @memberof module:MediaPlayer
* @instance
*
*/
function setSmallGapLimit(value) {
mediaPlayerModel.setSmallGapLimit(value);
}
/**
* Time in seconds for a gap to be considered small.
* @returns {boolean} Current small gap limit
* @memberof module:MediaPlayer
* @instance
*/
function getSmallGapLimit() {
return mediaPlayerModel.getSmallGapLimit();
}
/**
* For live streams, set the interval-frequency in milliseconds at which
* dash.js will check if the current manifest is still processed before
* downloading the next manifest once the minimumUpdatePeriod time has
* expired.
* @param {int} value
* @default 100
* @memberof module:MediaPlayer
* @instance
* @see {@link module:MediaPlayer#getManifestUpdateRetryInterval getManifestUpdateRetryInterval()}
*
*/
function setManifestUpdateRetryInterval(value) {
mediaPlayerModel.setManifestUpdateRetryInterval(value);
}
/**
* For live streams, get the interval-frequency in milliseconds at which
* dash.js will check if the current manifest is still processed before
* downloading the next manifest once the minimumUpdatePeriod time has
* expired.
* @returns {int} Current retry delay for manifest update
* @memberof module:MediaPlayer
* @instance
* @see {@link module:MediaPlayer#setManifestUpdateRetryInterval setManifestUpdateRetryInterval()}
*/
function getManifestUpdateRetryInterval() {
return mediaPlayerModel.getManifestUpdateRetryInterval();
}
/*
---------------------------------------------------------------------------
METRICS
---------------------------------------------------------------------------
*/
/**
* Returns the DashMetrics.js Module. You use this Module to get access to all the public metrics
* stored in dash.js
*
* @see {@link module:DashMetrics}
* @returns {Object}
* @memberof module:MediaPlayer
* @instance
*/
function getDashMetrics() {
return dashMetrics;
}
/**
*
* @param {string} type
* @returns {Object}
* @memberof module:MediaPlayer
* @instance
*/
function getMetricsFor(type) {
return metricsModel.getReadOnlyMetricsFor(type);
}
/*
---------------------------------------------------------------------------
TEXT MANAGEMENT
---------------------------------------------------------------------------
*/
/**
* Set default language for text. If default language is not one of text tracks, dash will choose the first one.
*
* @param {string} lang - default language
* @memberof module:MediaPlayer
* @instance
*/
function setTextDefaultLanguage(lang) {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
textController.setTextDefaultLanguage(lang);
}
/**
* Get default language for text.
*
* @return {string} the default language if it has been set using setTextDefaultLanguage
* @memberof module:MediaPlayer
* @instance
*/
function getTextDefaultLanguage() {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
return textController.getTextDefaultLanguage();
}
/**
* Set enabled default state.
* This is used to enable/disable text when a file is loaded.
* During playback, use enableText to enable text for the file
*
* @param {boolean} enable - true to enable text, false otherwise
* @memberof module:MediaPlayer
* @instance
*/
function setTextDefaultEnabled(enable) {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
textController.setTextDefaultEnabled(enable);
}
/**
* Get enabled default state.
*
* @return {boolean} default enable state
* @memberof module:MediaPlayer
* @instance
*/
function getTextDefaultEnabled() {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
return textController.getTextDefaultEnabled();
}
/**
* Enable/disable text
* When enabling text, dash will choose the previous selected text track
*
* @param {boolean} enable - true to enable text, false otherwise (same as setTextTrack(-1))
* @memberof module:MediaPlayer
* @instance
*/
function enableText(enable) {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
textController.enableText(enable);
}
/**
* Enable/disable text
* When enabling dash will keep downloading and process fragmented text tracks even if all tracks are in mode "hidden"
*
* @param {boolean} enable - true to enable text streaming even if all text tracks are hidden.
* @memberof module:MediaPlayer
* @instance
*/
function enableForcedTextStreaming(enable) {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
textController.enableForcedTextStreaming(enable);
}
/**
* Return if text is enabled
*
* @return {boolean} return true if text is enabled, false otherwise
* @memberof module:MediaPlayer
* @instance
*/
function isTextEnabled() {
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
return textController.isTextEnabled();
}
/**
* Use this method to change the current text track for both external time text files and fragmented text tracks. There is no need to
* set the track mode on the video object to switch a track when using this method.
* @param {number} idx - Index of track based on the order of the order the tracks are added Use -1 to disable all tracks. (turn captions off). Use module:MediaPlayer#dashjs.MediaPlayer.events.TEXT_TRACK_ADDED.
* @see {@link MediaPlayerEvents#event:TEXT_TRACK_ADDED dashjs.MediaPlayer.events.TEXT_TRACK_ADDED}
* @memberof module:MediaPlayer
* @instance
*/
function setTextTrack(idx) {
if (!playbackInitialized) {
throw PLAYBACK_NOT_INITIALIZED_ERROR;
}
if (textController === undefined) {
textController = (0, _textTextController2['default'])(context).getInstance();
}
textController.setTextTrack(idx);
}
function getCurrentTextTrackIndex() {
var idx = NaN;
if (textController) {
idx = textController.getCurrentTrackIdx();
}
return idx;
}
/**
* This method serves to control captions z-index value. If 'true' is passed, the captions will have the highest z-index and be
* displayed on top of other html elements. Default value is 'false' (z-index is not set).
* @param {boolean} value
* @memberof module:MediaPlayer
* @instance
*/
function displayCaptionsOnTop(value) {
var textTracks = (0, _textTextTracks2['default'])(context).getInstance();
textTracks.setConfig({
videoModel: videoModel
});
textTracks.initialize();
textTracks.displayCConTop(value);
}
/*
---------------------------------------------------------------------------
VIDEO ELEMENT MANAGEMENT
---------------------------------------------------------------------------
*/
/**
* Returns instance of Video Element that was attached by calling attachView()
* @returns {Object}
* @memberof module:MediaPlayer
* @instance
*/
function getVideoElement() {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
return videoModel.getElement();
}
/**
* Returns instance of Video Container that was attached by calling attachVideoContainer()
* @returns {Object}
* @memberof module:MediaPlayer
* @instance
*/
function getVideoContainer() {
return videoModel ? videoModel.getVideoContainer() : null;
}
/**
* Use this method to attach an HTML5 element that wraps the video element.
*
* @param {HTMLElement} container - The HTML5 element containing the video element.
* @memberof module:MediaPlayer
* @instance
*/
function attachVideoContainer(container) {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
videoModel.setVideoContainer(container);
}
/**
* Use this method to attach an HTML5 VideoElement for dash.js to operate upon.
*
* @param {Object} element - An HTMLMediaElement that has already been defined in the DOM (or equivalent stub).
* @memberof module:MediaPlayer
* @instance
*/
function attachView(element) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
videoModel.setElement(element);
if (element) {
detectProtection();
detectMetricsReporting();
detectMss();
if (streamController) {
streamController.switchToVideoElement();
}
}
if (playbackInitialized) {
//Reset if we have been playing before, so this is a new element.
resetPlaybackControllers();
}
initializePlayback();
}
/**
* Returns instance of Div that was attached by calling attachTTMLRenderingDiv()
* @returns {Object}
* @memberof module:MediaPlayer
* @instance
*/
function getTTMLRenderingDiv() {
return videoModel ? videoModel.getTTMLRenderingDiv() : null;
}
/**
* Use this method to attach an HTML5 div for dash.js to render rich TTML subtitles.
*
* @param {HTMLDivElement} div - An unstyled div placed after the video element. It will be styled to match the video size and overlay z-order.
* @memberof module:MediaPlayer
* @instance
*/
function attachTTMLRenderingDiv(div) {
if (!videoModel.getElement()) {
throw ELEMENT_NOT_ATTACHED_ERROR;
}
videoModel.setTTMLRenderingDiv(div);
}
/*
---------------------------------------------------------------------------
STREAM AND TRACK MANAGEMENT
---------------------------------------------------------------------------
*/
/**
* @param {string} type
* @returns {Array}
* @memberof module:MediaPlayer
* @instance
*/
function getBitrateInfoListFor(type) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
var stream = getActiveStream();
return stream ? stream.getBitrateListFor(type) : [];
}
/**
* This method returns the list of all available streams from a given manifest
* @param {Object} manifest
* @returns {Array} list of {@link StreamInfo}
* @memberof module:MediaPlayer
* @instance
*/
function getStreamsFromManifest(manifest) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
return adapter.getStreamsInfo(manifest);
}
/**
* This method returns the list of all available tracks for a given media type
* @param {string} type
* @returns {Array} list of {@link MediaInfo}
* @memberof module:MediaPlayer
* @instance
*/
function getTracksFor(type) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
var streamInfo = streamController.getActiveStreamInfo();
if (!streamInfo) return [];
return mediaController.getTracksFor(type, streamInfo);
}
/**
* This method returns the list of all available tracks for a given media type and streamInfo from a given manifest
* @param {string} type
* @param {Object} manifest
* @param {Object} streamInfo
* @returns {Array} list of {@link MediaInfo}
* @memberof module:MediaPlayer
* @instance
*/
function getTracksForTypeFromManifest(type, manifest, streamInfo) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
streamInfo = streamInfo || adapter.getStreamsInfo(manifest, 1)[0];
return streamInfo ? adapter.getAllMediaInfoForType(streamInfo, type, manifest) : [];
}
/**
* @param {string} type
* @returns {Object|null} {@link MediaInfo}
*
* @memberof module:MediaPlayer
* @instance
*/
function getCurrentTrackFor(type) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
var streamInfo = streamController.getActiveStreamInfo();
if (!streamInfo) return null;
return mediaController.getCurrentTrackFor(type, streamInfo);
}
/**
* This method allows to set media settings that will be used to pick the initial track. Format of the settings
* is following:
* {lang: langValue,
* viewpoint: viewpointValue,
* audioChannelConfiguration: audioChannelConfigurationValue,
* accessibility: accessibilityValue,
* role: roleValue}
*
*
* @param {string} type
* @param {Object} value
* @memberof module:MediaPlayer
* @instance
*/
function setInitialMediaSettingsFor(type, value) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
mediaController.setInitialSettings(type, value);
}
/**
* This method returns media settings that is used to pick the initial track. Format of the settings
* is following:
* {lang: langValue,
* viewpoint: viewpointValue,
* audioChannelConfiguration: audioChannelConfigurationValue,
* accessibility: accessibilityValue,
* role: roleValue}
* @param {string} type
* @returns {Object}
* @memberof module:MediaPlayer
* @instance
*/
function getInitialMediaSettingsFor(type) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
return mediaController.getInitialSettings(type);
}
/**
* @param {MediaInfo} track - instance of {@link MediaInfo}
* @memberof module:MediaPlayer
* @instance
*/
function setCurrentTrack(track) {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
mediaController.setTrack(track);
}
/**
* This method returns the current track switch mode.
*
* @param {string} type
* @returns {string} mode
* @memberof module:MediaPlayer
* @instance
*/
function getTrackSwitchModeFor(type) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
return mediaController.getSwitchMode(type);
}
/**
* This method sets the current track switch mode. Available options are:
*
* MediaController.TRACK_SWITCH_MODE_NEVER_REPLACE
* (used to forbid clearing the buffered data (prior to current playback position) after track switch.
* Defers to fastSwitchEnabled for placement of new data. Default for video)
*
* MediaController.TRACK_SWITCH_MODE_ALWAYS_REPLACE
* (used to clear the buffered data (prior to current playback position) after track switch. Default for audio)
*
* @param {string} type
* @param {string} mode
* @memberof module:MediaPlayer
* @instance
*/
function setTrackSwitchModeFor(type, mode) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
mediaController.setSwitchMode(type, mode);
}
/**
* This method sets the selection mode for the initial track. This mode defines how the initial track will be selected
* if no initial media settings are set. If initial media settings are set this parameter will be ignored. Available options are:
*
* MediaController.TRACK_SELECTION_MODE_HIGHEST_BITRATE
* this mode makes the player select the track with a highest bitrate. This mode is a default mode.
*
* MediaController.TRACK_SELECTION_MODE_WIDEST_RANGE
* this mode makes the player select the track with a widest range of bitrates
*
* @param {string} mode
* @memberof module:MediaPlayer
* @instance
*/
function setSelectionModeForInitialTrack(mode) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
mediaController.setSelectionModeForInitialTrack(mode);
}
/**
* This method returns the track selection mode.
*
* @returns {string} mode
* @memberof module:MediaPlayer
* @instance
*/
function getSelectionModeForInitialTrack() {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
return mediaController.getSelectionModeForInitialTrack();
}
/*
---------------------------------------------------------------------------
PROTECTION MANAGEMENT
---------------------------------------------------------------------------
/**
* Detects if Protection is included and returns an instance of ProtectionController.js
* @memberof module:MediaPlayer
* @instance
*/
function getProtectionController() {
return detectProtection();
}
/**
* Will override dash.js protection controller.
* @param {ProtectionController} value - valid protection controller instance.
* @memberof module:MediaPlayer
* @instance
*/
function attachProtectionController(value) {
protectionController = value;
}
/**
* Sets Protection Data required to setup the Protection Module (DRM). Protection Data must
* be set before initializing MediaPlayer or, once initialized, before PROTECTION_CREATED event is fired.
* @see {@link module:MediaPlayer#initialize initialize()}
* @see {@link ProtectionEvents#event:PROTECTION_CREATED dashjs.Protection.events.PROTECTION_CREATED}
* @param {ProtectionData} value - object containing
* property names corresponding to key system name strings and associated
* values being instances of.
* @memberof module:MediaPlayer
* @instance
*/
function setProtectionData(value) {
protectionData = value;
// Propagate changes in case StreamController is already created
if (streamController) {
streamController.setProtectionData(protectionData);
}
}
/*
---------------------------------------------------------------------------
THUMBNAILS MANAGEMENT
---------------------------------------------------------------------------
*/
/**
* Return the thumbnail at time position.
* @returns {Thumbnail|null} - Thumbnail for the given time position. It returns null in case there are is not a thumbnails representation or
* if it doesn't contain a thumbnail for the given time position.
* @param {number} time - A relative time, in seconds, based on the return value of the {@link module:MediaPlayer#duration duration()} method is expected
* @memberof module:MediaPlayer
* @instance
*/
function getThumbnail(time) {
if (time < 0) {
return null;
}
var s = playbackController.getIsDynamic() ? getDVRSeekOffset(time) : time;
var stream = streamController.getStreamForTime(s);
if (stream === null) {
return null;
}
var thumbnailController = stream.getThumbnailController();
var streamInfo = stream.getStreamInfo();
if (!thumbnailController || !streamInfo) {
return null;
}
var timeInPeriod = streamController.getTimeRelativeToStreamId(s, stream.getId());
return thumbnailController.get(timeInPeriod);
}
/*
---------------------------------------------------------------------------
PROTECTION CONTROLLER MANAGEMENT
---------------------------------------------------------------------------
*/
/**
* Set the value for the ProtectionController and MediaKeys life cycle. If true, the
* ProtectionController and then created MediaKeys and MediaKeySessions will be preserved during
* the MediaPlayer lifetime.
*
* @param {boolean=} value - True or false flag.
*
* @memberof module:MediaPlayer
* @instance
*/
function keepProtectionMediaKeys(value) {
mediaPlayerModel.setKeepProtectionMediaKeys(value);
}
/*
---------------------------------------------------------------------------
TOOLS AND OTHERS FUNCTIONS
---------------------------------------------------------------------------
*/
/**
* Allows application to retrieve a manifest. Manifest loading is asynchro
* nous and
* requires the app-provided callback function
*
* @param {string} url - url the manifest url
* @param {function} callback - A Callback function provided when retrieving manifests
* @memberof module:MediaPlayer
* @instance
*/
function retrieveManifest(url, callback) {
var manifestLoader = createManifestLoader();
var self = this;
var handler = function handler(e) {
if (!e.error) {
callback(e.manifest);
} else {
callback(null, e.error);
}
eventBus.off(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, handler, self);
manifestLoader.reset();
};
eventBus.on(_coreEventsEvents2['default'].INTERNAL_MANIFEST_LOADED, handler, self);
(0, _modelsURIFragmentModel2['default'])(context).getInstance().initialize(url);
manifestLoader.load(url);
}
/**
* Returns the source string or manifest that was attached by calling attachSource()
* @returns {string | manifest}
* @memberof module:MediaPlayer
* @instance
*/
function getSource() {
if (!source) {
throw SOURCE_NOT_ATTACHED_ERROR;
}
return source;
}
/**
* Use this method to set a source URL to a valid MPD manifest file OR
* a previously downloaded and parsed manifest object. Optionally, can
* also provide protection information
*
* @param {string|Object} urlOrManifest - A URL to a valid MPD manifest file, or a
* parsed manifest object.
*
*
* @throws "MediaPlayer not initialized!"
*
* @memberof module:MediaPlayer
* @instance
*/
function attachSource(urlOrManifest) {
if (!mediaPlayerInitialized) {
throw MEDIA_PLAYER_NOT_INITIALIZED_ERROR;
}
if (typeof urlOrManifest === 'string') {
(0, _modelsURIFragmentModel2['default'])(context).getInstance().initialize(urlOrManifest);
}
source = urlOrManifest;
if (streamingInitialized || playbackInitialized) {
resetPlaybackControllers();
}
if (isReady()) {
initializePlayback();
}
}
/**
* A utility methods which converts UTC timestamp value into a valid time and date string.
*
* @param {number} time - UTC timestamp to be converted into date and time.
* @param {string} locales - a region identifier (i.e. en_US).
* @param {boolean} hour12 - 12 vs 24 hour. Set to true for 12 hour time formatting.
* @param {boolean} withDate - default is false. Set to true to append current date to UTC time format.
* @returns {string} A formatted time and date string.
* @memberof module:MediaPlayer
* @instance
*/
function formatUTC(time, locales, hour12) {
var withDate = arguments.length <= 3 || arguments[3] === undefined ? false : arguments[3];
var dt = new Date(time * 1000);
var d = dt.toLocaleDateString(locales);
var t = dt.toLocaleTimeString(locales, {
hour12: hour12
});
return withDate ? t + ' ' + d : t;
}
/**
* A utility method which converts seconds into TimeCode (i.e. 300 --> 05:00).
*
* @param {number} value - A number in seconds to be converted into a formatted time code.
* @returns {string} A formatted time code string.
* @memberof module:MediaPlayer
* @instance
*/
function convertToTimeCode(value) {
value = Math.max(value, 0);
var h = Math.floor(value / 3600);
var m = Math.floor(value % 3600 / 60);
var s = Math.floor(value % 3600 % 60);
return (h === 0 ? '' : h < 10 ? '0' + h.toString() + ':' : h.toString() + ':') + (m < 10 ? '0' + m.toString() : m.toString()) + ':' + (s < 10 ? '0' + s.toString() : s.toString());
}
/**
* This method should be used to extend or replace internal dash.js objects.
* There are two ways to extend dash.js (determined by the override argument):
* <ol>
* <li>If you set override to true any public method or property in your custom object will
* override the dash.js parent object's property(ies) and will be used instead but the
* dash.js parent module will still be created.</li>
*
* <li>If you set override to false your object will completely replace the dash.js object.
* (Note: This is how it was in 1.x of Dash.js with Dijon).</li>
* </ol>
* <b>When you extend you get access to this.context, this.factory and this.parent to operate with in your custom object.</b>
* <ul>
* <li><b>this.context</b> - can be used to pass context for singleton access.</li>
* <li><b>this.factory</b> - can be used to call factory.getSingletonInstance().</li>
* <li><b>this.parent</b> - is the reference of the parent object to call other public methods. (this.parent is excluded if you extend with override set to false or option 2)</li>
* </ul>
* <b>You must call extend before you call initialize</b>
* @see {@link module:MediaPlayer#initialize initialize()}
* @param {string} parentNameString - name of parent module
* @param {Object} childInstance - overriding object
* @param {boolean} override - replace only some methods (true) or the whole object (false)
* @memberof module:MediaPlayer
* @instance
*/
function extend(parentNameString, childInstance, override) {
_coreFactoryMaker2['default'].extend(parentNameString, childInstance, override, context);
}
//***********************************
// PRIVATE METHODS
//***********************************
function resetPlaybackControllers() {
playbackInitialized = false;
streamingInitialized = false;
adapter.reset();
streamController.reset();
playbackController.reset();
abrController.reset();
mediaController.reset();
textController.reset();
if (protectionController) {
if (mediaPlayerModel.getKeepProtectionMediaKeys()) {
protectionController.stop();
} else {
protectionController.reset();
protectionController = null;
detectProtection();
}
}
}
function createPlaybackControllers() {
// creates or get objects instances
var manifestLoader = createManifestLoader();
if (!streamController) {
streamController = (0, _controllersStreamController2['default'])(context).getInstance();
}
// configure controllers
mediaController.setConfig({
errHandler: errHandler,
domStorage: domStorage
});
streamController.setConfig({
capabilities: capabilities,
manifestLoader: manifestLoader,
manifestModel: manifestModel,
dashManifestModel: dashManifestModel,
mediaPlayerModel: mediaPlayerModel,
protectionController: protectionController,
adapter: adapter,
metricsModel: metricsModel,
dashMetrics: dashMetrics,
errHandler: errHandler,
timelineConverter: timelineConverter,
videoModel: videoModel,
playbackController: playbackController,
domStorage: domStorage,
abrController: abrController,
mediaController: mediaController,
textController: textController
});
playbackController.setConfig({
streamController: streamController,
metricsModel: metricsModel,
dashMetrics: dashMetrics,
manifestModel: manifestModel,
mediaPlayerModel: mediaPlayerModel,
dashManifestModel: dashManifestModel,
adapter: adapter,
videoModel: videoModel
});
abrController.setConfig({
streamController: streamController,
domStorage: domStorage,
mediaPlayerModel: mediaPlayerModel,
metricsModel: metricsModel,
dashMetrics: dashMetrics,
dashManifestModel: dashManifestModel,
manifestModel: manifestModel,
videoModel: videoModel,
adapter: adapter
});
abrController.createAbrRulesCollection();
textController.setConfig({
errHandler: errHandler,
manifestModel: manifestModel,
dashManifestModel: dashManifestModel,
mediaController: mediaController,
streamController: streamController,
videoModel: videoModel
});
// initialises controller
streamController.initialize(autoPlay, protectionData);
}
function createManifestLoader() {
return (0, _ManifestLoader2['default'])(context).create({
errHandler: errHandler,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
requestModifier: (0, _utilsRequestModifier2['default'])(context).getInstance(),
mssHandler: mssHandler
});
}
function detectProtection() {
if (protectionController) {
return protectionController;
}
// do not require Protection as dependencies as this is optional and intended to be loaded separately
var Protection = dashjs.Protection; /* jshint ignore:line */
if (typeof Protection === 'function') {
//TODO need a better way to register/detect plugin components
var protection = Protection(context).create();
_coreEventsEvents2['default'].extend(Protection.events);
_MediaPlayerEvents2['default'].extend(Protection.events, {
publicOnly: true
});
if (!capabilities) {
capabilities = (0, _utilsCapabilities2['default'])(context).getInstance();
}
protectionController = protection.createProtectionSystem({
debug: debug,
errHandler: errHandler,
videoModel: videoModel,
capabilities: capabilities,
eventBus: eventBus,
events: _coreEventsEvents2['default'],
BASE64: _externalsBase642['default'],
constants: _constantsConstants2['default']
});
return protectionController;
}
return null;
}
function detectMetricsReporting() {
if (metricsReportingController) {
return;
}
// do not require MetricsReporting as dependencies as this is optional and intended to be loaded separately
var MetricsReporting = dashjs.MetricsReporting; /* jshint ignore:line */
if (typeof MetricsReporting === 'function') {
//TODO need a better way to register/detect plugin components
var metricsReporting = MetricsReporting(context).create();
metricsReportingController = metricsReporting.createMetricsReporting({
debug: debug,
eventBus: eventBus,
mediaElement: getVideoElement(),
dashManifestModel: dashManifestModel,
metricsModel: metricsModel,
events: _coreEventsEvents2['default'],
constants: _constantsConstants2['default'],
metricsConstants: _constantsMetricsConstants2['default']
});
}
}
function detectMss() {
if (mssHandler) {
return;
}
// do not require MssHandler as dependencies as this is optional and intended to be loaded separately
var MssHandler = dashjs.MssHandler; /* jshint ignore:line */
if (typeof MssHandler === 'function') {
//TODO need a better way to register/detect plugin components
mssHandler = MssHandler(context).create({
eventBus: eventBus,
mediaPlayerModel: mediaPlayerModel,
metricsModel: metricsModel,
playbackController: playbackController,
protectionController: protectionController,
baseURLController: (0, _controllersBaseURLController2['default'])(context).getInstance(),
errHandler: errHandler,
events: _coreEventsEvents2['default'],
constants: _constantsConstants2['default'],
debug: debug,
initSegmentType: _voMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE,
BASE64: _externalsBase642['default'],
ISOBoxer: _codemIsoboxer2['default']
});
}
}
function getDVRInfoMetric() {
var metric = metricsModel.getReadOnlyMetricsFor(_constantsConstants2['default'].VIDEO) || metricsModel.getReadOnlyMetricsFor(_constantsConstants2['default'].AUDIO);
return dashMetrics.getCurrentDVRInfo(metric);
}
function getAsUTC(valToConvert) {
var metric = getDVRInfoMetric();
var availableFrom = undefined,
utcValue = undefined;
if (!metric) {
return 0;
}
availableFrom = metric.manifestInfo.availableFrom.getTime() / 1000;
utcValue = valToConvert + (availableFrom + metric.range.start);
return utcValue;
}
function getActiveStream() {
if (!streamingInitialized) {
throw STREAMING_NOT_INITIALIZED_ERROR;
}
var streamInfo = streamController.getActiveStreamInfo();
return streamInfo ? streamController.getStreamById(streamInfo.id) : null;
}
function initializePlayback() {
if (!streamingInitialized && source) {
streamingInitialized = true;
logger.info('Streaming Initialized');
createPlaybackControllers();
if (typeof source === 'string') {
streamController.load(source);
} else {
streamController.loadWithManifest(source);
}
}
if (!playbackInitialized && isReady()) {
playbackInitialized = true;
logger.info('Playback Initialized');
}
}
instance = {
initialize: initialize,
setConfig: setConfig,
on: on,
off: off,
extend: extend,
attachView: attachView,
attachSource: attachSource,
isReady: isReady,
preload: preload,
play: play,
isPaused: isPaused,
pause: pause,
isSeeking: isSeeking,
isDynamic: isDynamic,
seek: seek,
setPlaybackRate: setPlaybackRate,
getPlaybackRate: getPlaybackRate,
setCatchUpPlaybackRate: setCatchUpPlaybackRate,
getCatchUpPlaybackRate: getCatchUpPlaybackRate,
setMute: setMute,
isMuted: isMuted,
setVolume: setVolume,
getVolume: getVolume,
time: time,
duration: duration,
timeAsUTC: timeAsUTC,
durationAsUTC: durationAsUTC,
getActiveStream: getActiveStream,
getDVRWindowSize: getDVRWindowSize,
getDVRSeekOffset: getDVRSeekOffset,
convertToTimeCode: convertToTimeCode,
formatUTC: formatUTC,
getVersion: getVersion,
getDebug: getDebug,
getBufferLength: getBufferLength,
getVideoContainer: getVideoContainer,
getTTMLRenderingDiv: getTTMLRenderingDiv,
getVideoElement: getVideoElement,
getSource: getSource,
setLiveDelayFragmentCount: setLiveDelayFragmentCount,
setLiveDelay: setLiveDelay,
getLiveDelay: getLiveDelay,
getCurrentLiveLatency: getCurrentLiveLatency,
useSuggestedPresentationDelay: useSuggestedPresentationDelay,
enableLastBitrateCaching: enableLastBitrateCaching,
enableLastMediaSettingsCaching: enableLastMediaSettingsCaching,
setMaxAllowedBitrateFor: setMaxAllowedBitrateFor,
getMaxAllowedBitrateFor: getMaxAllowedBitrateFor,
getTopBitrateInfoFor: getTopBitrateInfoFor,
setMinAllowedBitrateFor: setMinAllowedBitrateFor,
getMinAllowedBitrateFor: getMinAllowedBitrateFor,
setMaxAllowedRepresentationRatioFor: setMaxAllowedRepresentationRatioFor,
getMaxAllowedRepresentationRatioFor: getMaxAllowedRepresentationRatioFor,
setAutoPlay: setAutoPlay,
getAutoPlay: getAutoPlay,
setScheduleWhilePaused: setScheduleWhilePaused,
getScheduleWhilePaused: getScheduleWhilePaused,
getDashMetrics: getDashMetrics,
getMetricsFor: getMetricsFor,
getQualityFor: getQualityFor,
setQualityFor: setQualityFor,
updatePortalSize: updatePortalSize,
getLimitBitrateByPortal: getLimitBitrateByPortal,
setLimitBitrateByPortal: setLimitBitrateByPortal,
getUsePixelRatioInLimitBitrateByPortal: getUsePixelRatioInLimitBitrateByPortal,
setUsePixelRatioInLimitBitrateByPortal: setUsePixelRatioInLimitBitrateByPortal,
setTextDefaultLanguage: setTextDefaultLanguage,
getTextDefaultLanguage: getTextDefaultLanguage,
setTextDefaultEnabled: setTextDefaultEnabled,
getTextDefaultEnabled: getTextDefaultEnabled,
enableText: enableText,
enableForcedTextStreaming: enableForcedTextStreaming,
isTextEnabled: isTextEnabled,
setTextTrack: setTextTrack,
getBitrateInfoListFor: getBitrateInfoListFor,
setInitialBitrateFor: setInitialBitrateFor,
getInitialBitrateFor: getInitialBitrateFor,
setInitialRepresentationRatioFor: setInitialRepresentationRatioFor,
getInitialRepresentationRatioFor: getInitialRepresentationRatioFor,
getStreamsFromManifest: getStreamsFromManifest,
getTracksFor: getTracksFor,
getTracksForTypeFromManifest: getTracksForTypeFromManifest,
getCurrentTrackFor: getCurrentTrackFor,
setInitialMediaSettingsFor: setInitialMediaSettingsFor,
getInitialMediaSettingsFor: getInitialMediaSettingsFor,
setCurrentTrack: setCurrentTrack,
getTrackSwitchModeFor: getTrackSwitchModeFor,
setTrackSwitchModeFor: setTrackSwitchModeFor,
setSelectionModeForInitialTrack: setSelectionModeForInitialTrack,
getSelectionModeForInitialTrack: getSelectionModeForInitialTrack,
setFastSwitchEnabled: setFastSwitchEnabled,
getFastSwitchEnabled: getFastSwitchEnabled,
setMovingAverageMethod: setMovingAverageMethod,
getMovingAverageMethod: getMovingAverageMethod,
getAutoSwitchQualityFor: getAutoSwitchQualityFor,
setAutoSwitchQualityFor: setAutoSwitchQualityFor,
setABRStrategy: setABRStrategy,
getABRStrategy: getABRStrategy,
useDefaultABRRules: useDefaultABRRules,
addABRCustomRule: addABRCustomRule,
removeABRCustomRule: removeABRCustomRule,
removeAllABRCustomRule: removeAllABRCustomRule,
setBandwidthSafetyFactor: setBandwidthSafetyFactor,
getBandwidthSafetyFactor: getBandwidthSafetyFactor,
getAverageThroughput: getAverageThroughput,
setAbandonLoadTimeout: setAbandonLoadTimeout,
retrieveManifest: retrieveManifest,
addUTCTimingSource: addUTCTimingSource,
removeUTCTimingSource: removeUTCTimingSource,
clearDefaultUTCTimingSources: clearDefaultUTCTimingSources,
restoreDefaultUTCTimingSources: restoreDefaultUTCTimingSources,
setBufferToKeep: setBufferToKeep,
setBufferAheadToKeep: setBufferAheadToKeep,
setBufferPruningInterval: setBufferPruningInterval,
setStableBufferTime: setStableBufferTime,
getStableBufferTime: getStableBufferTime,
setBufferTimeAtTopQuality: setBufferTimeAtTopQuality,
getBufferTimeAtTopQuality: getBufferTimeAtTopQuality,
setBufferTimeAtTopQualityLongForm: setBufferTimeAtTopQualityLongForm,
getBufferTimeAtTopQualityLongForm: getBufferTimeAtTopQualityLongForm,
setFragmentLoaderRetryAttempts: setFragmentLoaderRetryAttempts,
setFragmentLoaderRetryInterval: setFragmentLoaderRetryInterval,
setManifestLoaderRetryAttempts: setManifestLoaderRetryAttempts,
setManifestLoaderRetryInterval: setManifestLoaderRetryInterval,
setXHRWithCredentialsForType: setXHRWithCredentialsForType,
getXHRWithCredentialsForType: getXHRWithCredentialsForType,
setJumpGaps: setJumpGaps,
getJumpGaps: getJumpGaps,
setSmallGapLimit: setSmallGapLimit,
getSmallGapLimit: getSmallGapLimit,
getLowLatencyEnabled: getLowLatencyEnabled,
setLowLatencyEnabled: setLowLatencyEnabled,
setManifestUpdateRetryInterval: setManifestUpdateRetryInterval,
getManifestUpdateRetryInterval: getManifestUpdateRetryInterval,
setLongFormContentDurationThreshold: setLongFormContentDurationThreshold,
setSegmentOverlapToleranceTime: setSegmentOverlapToleranceTime,
setCacheLoadThresholdForType: setCacheLoadThresholdForType,
getProtectionController: getProtectionController,
attachProtectionController: attachProtectionController,
setProtectionData: setProtectionData,
enableManifestDateHeaderTimeSource: enableManifestDateHeaderTimeSource,
displayCaptionsOnTop: displayCaptionsOnTop,
attachVideoContainer: attachVideoContainer,
attachTTMLRenderingDiv: attachTTMLRenderingDiv,
getCurrentTextTrackIndex: getCurrentTextTrackIndex,
getUseDeadTimeLatencyForAbr: getUseDeadTimeLatencyForAbr,
setUseDeadTimeLatencyForAbr: setUseDeadTimeLatencyForAbr,
getThumbnail: getThumbnail,
keepProtectionMediaKeys: keepProtectionMediaKeys,
reset: reset
};
setup();
return instance;
}
MediaPlayer.__dashjs_factory_name = 'MediaPlayer';
var factory = _coreFactoryMaker2['default'].getClassFactory(MediaPlayer);
factory.events = _MediaPlayerEvents2['default'];
_coreFactoryMaker2['default'].updateClassFactory(MediaPlayer.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"1":1,"100":100,"101":101,"106":106,"108":108,"110":110,"115":115,"116":116,"117":117,"118":118,"119":119,"140":140,"142":142,"147":147,"149":149,"151":151,"156":156,"183":183,"45":45,"46":46,"47":47,"48":48,"5":5,"50":50,"52":52,"54":54,"59":59,"77":77,"87":87,"89":89,"92":92,"98":98,"99":99}],92:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _coreEventsEventsBase = _dereq_(51);
var _coreEventsEventsBase2 = _interopRequireDefault(_coreEventsEventsBase);
/**
* @class
*
*/
var MediaPlayerEvents = (function (_EventsBase) {
_inherits(MediaPlayerEvents, _EventsBase);
/**
* @description Public facing external events to be used when developing a player that implements dash.js.
*/
function MediaPlayerEvents() {
_classCallCheck(this, MediaPlayerEvents);
_get(Object.getPrototypeOf(MediaPlayerEvents.prototype), 'constructor', this).call(this);
/**
* Triggered when playback will not start yet
* as the MPD's availabilityStartTime is in the future.
* Check delay property in payload to determine time before playback will start.
*/
this.AST_IN_FUTURE = 'astInFuture';
/**
* Triggered when the video element's buffer state changes to stalled.
* Check mediaType in payload to determine type (Video, Audio, FragmentedText).
* @event MediaPlayerEvents#BUFFER_EMPTY
*/
this.BUFFER_EMPTY = 'bufferStalled';
/**
* Triggered when the video element's buffer state changes to loaded.
* Check mediaType in payload to determine type (Video, Audio, FragmentedText).
* @event MediaPlayerEvents#BUFFER_LOADED
*/
this.BUFFER_LOADED = 'bufferLoaded';
/**
* Triggered when the video element's buffer state changes, either stalled or loaded. Check payload for state.
* @event MediaPlayerEvents#BUFFER_LEVEL_STATE_CHANGED
*/
this.BUFFER_LEVEL_STATE_CHANGED = 'bufferStateChanged';
/**
* Triggered when there is an error from the element or MSE source buffer.
* @event MediaPlayerEvents#ERROR
*/
this.ERROR = 'error';
/**
* Triggered when a fragment download has completed.
* @event MediaPlayerEvents#FRAGMENT_LOADING_COMPLETED
*/
this.FRAGMENT_LOADING_COMPLETED = 'fragmentLoadingCompleted';
/**
* Triggered when a partial fragment download has completed.
* @event MediaPlayerEvents#FRAGMENT_LOADING_PROGRESS
*/
this.FRAGMENT_LOADING_PROGRESS = 'fragmentLoadingProgress';
/**
* Triggered when a fragment download has started.
* @event MediaPlayerEvents#FRAGMENT_LOADING_STARTED
*/
this.FRAGMENT_LOADING_STARTED = 'fragmentLoadingStarted';
/**
* Triggered when a fragment download is abandoned due to detection of slow download base on the ABR abandon rule..
* @event MediaPlayerEvents#FRAGMENT_LOADING_ABANDONED
*/
this.FRAGMENT_LOADING_ABANDONED = 'fragmentLoadingAbandoned';
/**
* Triggered when {@link module:Debug} logger methods are called.
* @event MediaPlayerEvents#LOG
* @deprecated
*/
this.LOG = 'log';
//TODO refactor with internal event
/**
* Triggered when the manifest load is complete
* @event MediaPlayerEvents#MANIFEST_LOADED
*/
this.MANIFEST_LOADED = 'manifestLoaded';
/**
* Triggered anytime there is a change to the overall metrics.
* @event MediaPlayerEvents#METRICS_CHANGED
*/
this.METRICS_CHANGED = 'metricsChanged';
/**
* Triggered when an individual metric is added, updated or cleared.
* @event MediaPlayerEvents#METRIC_CHANGED
*/
this.METRIC_CHANGED = 'metricChanged';
/**
* Triggered every time a new metric is added.
* @event MediaPlayerEvents#METRIC_ADDED
*/
this.METRIC_ADDED = 'metricAdded';
/**
* Triggered every time a metric is updated.
* @event MediaPlayerEvents#METRIC_UPDATED
*/
this.METRIC_UPDATED = 'metricUpdated';
/**
* Triggered at the stream end of a period.
* @event MediaPlayerEvents#PERIOD_SWITCH_COMPLETED
*/
this.PERIOD_SWITCH_COMPLETED = 'periodSwitchCompleted';
/**
* Triggered when a new period starts.
* @event MediaPlayerEvents#PERIOD_SWITCH_STARTED
*/
this.PERIOD_SWITCH_STARTED = 'periodSwitchStarted';
/**
* Triggered when an ABR up /down switch is initiated; either by user in manual mode or auto mode via ABR rules.
* @event MediaPlayerEvents#QUALITY_CHANGE_REQUESTED
*/
this.QUALITY_CHANGE_REQUESTED = 'qualityChangeRequested';
/**
* Triggered when the new ABR quality is being rendered on-screen.
* @event MediaPlayerEvents#QUALITY_CHANGE_RENDERED
*/
this.QUALITY_CHANGE_RENDERED = 'qualityChangeRendered';
/**
* Triggered when the new track is being rendered.
* @event MediaPlayerEvents#TRACK_CHANGE_RENDERED
*/
this.TRACK_CHANGE_RENDERED = 'trackChangeRendered';
/**
* Triggered when the source is setup and ready.
* @event MediaPlayerEvents#SOURCE_INITIALIZED
*/
this.SOURCE_INITIALIZED = 'sourceInitialized';
/**
* Triggered when a stream (period) is loaded
* @event MediaPlayerEvents#STREAM_INITIALIZED
*/
this.STREAM_INITIALIZED = 'streamInitialized';
/**
* Triggered when the player has been reset.
* @event MediaPlayerEvents#STREAM_TEARDOWN_COMPLETE
*/
this.STREAM_TEARDOWN_COMPLETE = 'streamTeardownComplete';
/**
* Triggered once all text tracks detected in the MPD are added to the video element.
* @event MediaPlayerEvents#TEXT_TRACKS_ADDED
*/
this.TEXT_TRACKS_ADDED = 'allTextTracksAdded';
/**
* Triggered when a text track is added to the video element's TextTrackList
* @event MediaPlayerEvents#TEXT_TRACK_ADDED
*/
this.TEXT_TRACK_ADDED = 'textTrackAdded';
/**
* Triggered when a ttml chunk is parsed.
* @event MediaPlayerEvents#TTML_PARSED
*/
this.TTML_PARSED = 'ttmlParsed';
/**
* Triggered when a ttml chunk has to be parsed.
* @event MediaPlayerEvents#TTML_TO_PARSE
*/
this.TTML_TO_PARSE = 'ttmlToParse';
/**
* Triggered when a caption is rendered.
* @event MediaPlayerEvents#CAPTION_RENDERED
*/
this.CAPTION_RENDERED = 'captionRendered';
/**
* Triggered when the caption container is resized.
* @event MediaPlayerEvents#CAPTION_CONTAINER_RESIZE
*/
this.CAPTION_CONTAINER_RESIZE = 'captionContainerResize';
/**
* Sent when enough data is available that the media can be played,
* at least for a couple of frames. This corresponds to the
* HAVE_ENOUGH_DATA readyState.
* @event MediaPlayerEvents#CAN_PLAY
*/
this.CAN_PLAY = 'canPlay';
/**
* Sent when live catch mechanism has been activated, which implies the measured latency of the low latency
* stream that is been played has gone beyond the target one.
* @see {@link module:MediaPlayer#setCatchUpPlaybackRate setCatchUpPlaybackRate()}
* @see {@link module:MediaPlayer#setLiveDelay setLiveDelay()}
* @event MediaPlayerEvents#PLAYBACK_CATCHUP_START
*/
this.PLAYBACK_CATCHUP_START = 'playbackCatchupStart';
/**
* Sent live catch up mechanism has been deactivated.
* @see {@link module:MediaPlayer#setCatchUpPlaybackRate setCatchUpPlaybackRate()}
* @see {@link module:MediaPlayer#setLiveDelay setLiveDelay()}
* @event MediaPlayerEvents#PLAYBACK_CATCHUP_END
*/
this.PLAYBACK_CATCHUP_END = 'playbackCatchupEnd';
/**
* Sent when playback completes.
* @event MediaPlayerEvents#PLAYBACK_ENDED
*/
this.PLAYBACK_ENDED = 'playbackEnded';
/**
* Sent when an error occurs. The element's error
* attribute contains more information.
* @event MediaPlayerEvents#PLAYBACK_ERROR
*/
this.PLAYBACK_ERROR = 'playbackError';
/**
* Sent when playback is not allowed (for example if user gesture is needed).
* @event MediaPlayerEvents#PLAYBACK_NOT_ALLOWED
*/
this.PLAYBACK_NOT_ALLOWED = 'playbackNotAllowed';
/**
* The media's metadata has finished loading; all attributes now
* contain as much useful information as they're going to.
* @event MediaPlayerEvents#PLAYBACK_METADATA_LOADED
*/
this.PLAYBACK_METADATA_LOADED = 'playbackMetaDataLoaded';
/**
* Sent when playback is paused.
* @event MediaPlayerEvents#PLAYBACK_PAUSED
*/
this.PLAYBACK_PAUSED = 'playbackPaused';
/**
* Sent when the media begins to play (either for the first time, after having been paused,
* or after ending and then restarting).
*
* @event MediaPlayerEvents#PLAYBACK_PLAYING
*/
this.PLAYBACK_PLAYING = 'playbackPlaying';
/**
* Sent periodically to inform interested parties of progress downloading
* the media. Information about the current amount of the media that has
* been downloaded is available in the media element's buffered attribute.
* @event MediaPlayerEvents#PLAYBACK_PROGRESS
*/
this.PLAYBACK_PROGRESS = 'playbackProgress';
/**
* Sent when the playback speed changes.
* @event MediaPlayerEvents#PLAYBACK_RATE_CHANGED
*/
this.PLAYBACK_RATE_CHANGED = 'playbackRateChanged';
/**
* Sent when a seek operation completes.
* @event MediaPlayerEvents#PLAYBACK_SEEKED
*/
this.PLAYBACK_SEEKED = 'playbackSeeked';
/**
* Sent when a seek operation begins.
* @event MediaPlayerEvents#PLAYBACK_SEEKING
*/
this.PLAYBACK_SEEKING = 'playbackSeeking';
/**
* Sent when a seek operation has been asked.
* @event MediaPlayerEvents#PLAYBACK_SEEK_ASKED
*/
this.PLAYBACK_SEEK_ASKED = 'playbackSeekAsked';
/**
* Sent when the video element reports stalled
* @event MediaPlayerEvents#PLAYBACK_STALLED
*/
this.PLAYBACK_STALLED = 'playbackStalled';
/**
* Sent when playback of the media starts after having been paused;
* that is, when playback is resumed after a prior pause event.
*
* @event MediaPlayerEvents#PLAYBACK_STARTED
*/
this.PLAYBACK_STARTED = 'playbackStarted';
/**
* The time indicated by the element's currentTime attribute has changed.
* @event MediaPlayerEvents#PLAYBACK_TIME_UPDATED
*/
this.PLAYBACK_TIME_UPDATED = 'playbackTimeUpdated';
/**
* Sent when the media playback has stopped because of a temporary lack of data.
*
* @event MediaPlayerEvents#PLAYBACK_WAITING
*/
this.PLAYBACK_WAITING = 'playbackWaiting';
/**
* Manifest validity changed - As a result of an MPD validity expiration event.
* @event MediaPlayerEvents#MANIFEST_VALIDITY_CHANGED
*/
this.MANIFEST_VALIDITY_CHANGED = 'manifestValidityChanged';
}
return MediaPlayerEvents;
})(_coreEventsEventsBase2['default']);
var mediaPlayerEvents = new MediaPlayerEvents();
exports['default'] = mediaPlayerEvents;
module.exports = exports['default'];
},{"51":51}],93:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
/**
* This is a sink that is used to temporarily hold onto media chunks before a video element is added.
* The discharge() function is used to get the chunks out of the PreBuffer for adding to a real SourceBuffer.
*
* @class PreBufferSink
* @implements FragmentSink
*/
function PreBufferSink(onAppendedCallback) {
var context = this.context;
var instance = undefined,
logger = undefined;
var chunks = [];
var outstandingInit = undefined;
var onAppended = onAppendedCallback;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function reset() {
chunks = [];
outstandingInit = null;
onAppended = null;
}
function append(chunk) {
if (chunk.segmentType !== 'InitializationSegment') {
//Init segments are stored in the initCache.
chunks.push(chunk);
chunks.sort(function (a, b) {
return a.start - b.start;
});
outstandingInit = null;
} else {
//We need to hold an init chunk for when a corresponding media segment is being downloaded when the discharge happens.
outstandingInit = chunk;
}
logger.debug('PreBufferSink appended chunk s: ' + chunk.start + '; e: ' + chunk.end);
if (onAppended) {
onAppended({
chunk: chunk
});
}
}
function remove(start, end) {
chunks = chunks.filter(function (a) {
return !((isNaN(end) || a.start < end) && (isNaN(start) || a.end > start));
}); //The opposite of the getChunks predicate.
}
//Nothing async, nothing to abort.
function abort() {}
function getAllBufferRanges() {
var ranges = [];
for (var i = 0; i < chunks.length; i++) {
var chunk = chunks[i];
if (ranges.length === 0 || chunk.start > ranges[ranges.length - 1].end) {
ranges.push({ start: chunk.start, end: chunk.end });
} else {
ranges[ranges.length - 1].end = chunk.end;
}
}
//Implements TimeRanges interface. So acts just like sourceBuffer.buffered.
var timeranges = {
start: function start(n) {
return ranges[n].start;
},
end: function end(n) {
return ranges[n].end;
}
};
Object.defineProperty(timeranges, 'length', {
get: function get() {
return ranges.length;
}
});
return timeranges;
}
function updateTimestampOffset() {}
// Nothing to do
/**
* Return the all chunks in the buffer the lie between times start and end.
* Because a chunk cannot be split, this returns the full chunk if any part of its time lies in the requested range.
* Chunks are removed from the buffer when they are discharged.
* @function PreBufferSink#discharge
* @param {?Number} start The start time from which to discharge from the buffer. If NaN, it is regarded as unbounded.
* @param {?Number} end The end time from which to discharge from the buffer. If NaN, it is regarded as unbounded.
* @returns {Array} The set of chunks from the buffer within the time ranges.
*/
function discharge(start, end) {
var result = getChunksAt(start, end);
if (outstandingInit) {
result.push(outstandingInit);
outstandingInit = null;
}
remove(start, end);
return result;
}
function getChunksAt(start, end) {
return chunks.filter(function (a) {
return (isNaN(end) || a.start < end) && (isNaN(start) || a.end > start);
});
}
instance = {
getAllBufferRanges: getAllBufferRanges,
append: append,
remove: remove,
abort: abort,
discharge: discharge,
reset: reset,
updateTimestampOffset: updateTimestampOffset
};
setup();
return instance;
}
PreBufferSink.__dashjs_factory_name = 'PreBufferSink';
var factory = _coreFactoryMaker2['default'].getClassFactory(PreBufferSink);
exports['default'] = factory;
module.exports = exports['default'];
},{"45":45,"47":47}],94:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _voDashJSError = _dereq_(163);
var _voDashJSError2 = _interopRequireDefault(_voDashJSError);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _textTextController = _dereq_(140);
var _textTextController2 = _interopRequireDefault(_textTextController);
/**
* @class SourceBufferSink
* @implements FragmentSink
*/
function SourceBufferSink(mediaSource, mediaInfo, onAppendedCallback, oldBuffer) {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
buffer = undefined,
isAppendingInProgress = undefined;
var callbacks = [];
var appendQueue = [];
var onAppended = onAppendedCallback;
var intervalId = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
isAppendingInProgress = false;
var codec = mediaInfo.codec;
try {
// Safari claims to support anything starting 'application/mp4'.
// it definitely doesn't understand 'application/mp4;codecs="stpp"'
// - currently no browser does, so check for it and use our own
// implementation. The same is true for codecs="wvtt".
if (codec.match(/application\/mp4;\s*codecs="(stpp|wvtt).*"/i)) {
throw new Error('not really supported');
}
buffer = oldBuffer ? oldBuffer : mediaSource.addSourceBuffer(codec);
var CHECK_INTERVAL = 50;
// use updateend event if possible
if (typeof buffer.addEventListener === 'function') {
try {
buffer.addEventListener('updateend', updateEndHandler, false);
buffer.addEventListener('error', errHandler, false);
buffer.addEventListener('abort', errHandler, false);
} catch (err) {
// use setInterval to periodically check if updating has been completed
intervalId = setInterval(checkIsUpdateEnded, CHECK_INTERVAL);
}
} else {
// use setInterval to periodically check if updating has been completed
intervalId = setInterval(checkIsUpdateEnded, CHECK_INTERVAL);
}
} catch (ex) {
// Note that in the following, the quotes are open to allow for extra text after stpp and wvtt
if (mediaInfo.isText || codec.indexOf('codecs="stpp') !== -1 || codec.indexOf('codecs="wvtt') !== -1) {
var textController = (0, _textTextController2['default'])(context).getInstance();
buffer = textController.getTextSourceBuffer();
} else {
throw ex;
}
}
}
function reset(keepBuffer) {
if (buffer) {
if (typeof buffer.removeEventListener === 'function') {
buffer.removeEventListener('updateend', updateEndHandler, false);
buffer.removeEventListener('error', errHandler, false);
buffer.removeEventListener('abort', errHandler, false);
}
clearInterval(intervalId);
if (!keepBuffer) {
try {
if (!buffer.getClassName || buffer.getClassName() !== 'TextSourceBuffer') {
mediaSource.removeSourceBuffer(buffer);
}
} catch (e) {
logger.error('Failed to remove source buffer from media source.');
}
buffer = null;
}
isAppendingInProgress = false;
}
appendQueue = [];
onAppended = null;
}
function getBuffer() {
return buffer;
}
function getAllBufferRanges() {
try {
return buffer.buffered;
} catch (e) {
logger.error('getAllBufferRanges exception: ' + e.message);
return null;
}
}
function append(chunk) {
appendQueue.push(chunk);
if (!isAppendingInProgress) {
waitForUpdateEnd(buffer, appendNextInQueue.bind(this));
}
}
function updateTimestampOffset(MSETimeOffset) {
if (buffer.timestampOffset !== MSETimeOffset && !isNaN(MSETimeOffset)) {
waitForUpdateEnd(buffer, function () {
buffer.timestampOffset = MSETimeOffset;
});
}
}
function remove(start, end, forceRemoval) {
var sourceBufferSink = this;
// make sure that the given time range is correct. Otherwise we will get InvalidAccessError
waitForUpdateEnd(buffer, function () {
try {
if (start >= 0 && end > start && (forceRemoval || mediaSource.readyState !== 'ended')) {
buffer.remove(start, end);
}
// updating is in progress, we should wait for it to complete before signaling that this operation is done
waitForUpdateEnd(buffer, function () {
eventBus.trigger(_coreEventsEvents2['default'].SOURCEBUFFER_REMOVE_COMPLETED, {
buffer: sourceBufferSink,
from: start,
to: end,
unintended: false
});
});
} catch (err) {
eventBus.trigger(_coreEventsEvents2['default'].SOURCEBUFFER_REMOVE_COMPLETED, {
buffer: sourceBufferSink,
from: start,
to: end,
unintended: false,
error: new _voDashJSError2['default'](err.code, err.message, null)
});
}
});
}
function appendNextInQueue() {
var _this = this;
var sourceBufferSink = this;
if (appendQueue.length > 0) {
(function () {
isAppendingInProgress = true;
var nextChunk = appendQueue[0];
appendQueue.splice(0, 1);
var oldRanges = [];
var afterSuccess = function afterSuccess() {
// Safari sometimes drops a portion of a buffer after appending. Handle these situations here
var newRanges = getAllBufferRanges();
checkBufferGapsAfterAppend(sourceBufferSink, oldRanges, newRanges, nextChunk);
if (appendQueue.length > 0) {
appendNextInQueue.call(this);
} else {
isAppendingInProgress = false;
if (onAppended) {
onAppended({
chunk: nextChunk
});
}
}
};
try {
if (nextChunk.bytes.length === 0) {
afterSuccess.call(_this);
} else {
oldRanges = getAllBufferRanges();
if (buffer.appendBuffer) {
buffer.appendBuffer(nextChunk.bytes);
} else {
buffer.append(nextChunk.bytes, nextChunk);
}
// updating is in progress, we should wait for it to complete before signaling that this operation is done
waitForUpdateEnd(buffer, afterSuccess.bind(_this));
}
} catch (err) {
logger.fatal('SourceBuffer append failed "' + err + '"');
if (appendQueue.length > 0) {
appendNextInQueue();
} else {
isAppendingInProgress = false;
}
if (onAppended) {
onAppended({
chunk: nextChunk,
error: new _voDashJSError2['default'](err.code, err.message, null)
});
}
}
})();
}
}
function checkBufferGapsAfterAppend(buffer, oldRanges, newRanges, chunk) {
if (oldRanges && oldRanges.length > 0 && oldRanges.length < newRanges.length && isChunkAlignedWithRange(oldRanges, chunk)) {
// A split in the range was created while appending
eventBus.trigger(_coreEventsEvents2['default'].SOURCEBUFFER_REMOVE_COMPLETED, {
buffer: buffer,
from: newRanges.end(newRanges.length - 2),
to: newRanges.start(newRanges.length - 1),
unintended: true
});
}
}
function isChunkAlignedWithRange(oldRanges, chunk) {
for (var i = 0; i < oldRanges.length; i++) {
var start = Math.round(oldRanges.start(i));
var end = Math.round(oldRanges.end(i));
if (end === chunk.start || start === chunk.end || chunk.start >= start && chunk.end <= end) {
return true;
}
}
return false;
}
function abort() {
try {
if (mediaSource.readyState === 'open') {
buffer.abort();
} else if (buffer.setTextTrack && mediaSource.readyState === 'ended') {
buffer.abort(); //The cues need to be removed from the TextSourceBuffer via a call to abort()
}
} catch (ex) {
logger.error('SourceBuffer append abort failed: "' + ex + '"');
}
appendQueue = [];
}
function executeCallback() {
if (callbacks.length > 0) {
var cb = callbacks.shift();
if (buffer.updating) {
waitForUpdateEnd(buffer, cb);
} else {
cb();
// Try to execute next callback if still not updating
executeCallback();
}
}
}
function checkIsUpdateEnded() {
// if updating is still in progress do nothing and wait for the next check again.
if (buffer.updating) return;
// updating is completed, now we can stop checking and resolve the promise
executeCallback();
}
function updateEndHandler() {
if (buffer.updating) return;
executeCallback();
}
function errHandler() {
logger.error('SourceBufferSink error', mediaInfo.type);
}
function waitForUpdateEnd(buffer, callback) {
callbacks.push(callback);
if (!buffer.updating) {
executeCallback();
}
}
instance = {
getAllBufferRanges: getAllBufferRanges,
getBuffer: getBuffer,
append: append,
remove: remove,
abort: abort,
reset: reset,
updateTimestampOffset: updateTimestampOffset
};
setup();
return instance;
}
SourceBufferSink.__dashjs_factory_name = 'SourceBufferSink';
var factory = _coreFactoryMaker2['default'].getClassFactory(SourceBufferSink);
exports['default'] = factory;
module.exports = exports['default'];
},{"140":140,"163":163,"45":45,"46":46,"47":47,"50":50}],95:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _StreamProcessor = _dereq_(96);
var _StreamProcessor2 = _interopRequireDefault(_StreamProcessor);
var _controllersEventController = _dereq_(104);
var _controllersEventController2 = _interopRequireDefault(_controllersEventController);
var _controllersFragmentController = _dereq_(105);
var _controllersFragmentController2 = _interopRequireDefault(_controllersFragmentController);
var _thumbnailThumbnailController = _dereq_(143);
var _thumbnailThumbnailController2 = _interopRequireDefault(_thumbnailThumbnailController);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function Stream(config) {
var DATA_UPDATE_FAILED_ERROR_CODE = 1;
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var manifestModel = config.manifestModel;
var dashManifestModel = config.dashManifestModel;
var mediaPlayerModel = config.mediaPlayerModel;
var manifestUpdater = config.manifestUpdater;
var adapter = config.adapter;
var capabilities = config.capabilities;
var errHandler = config.errHandler;
var timelineConverter = config.timelineConverter;
var metricsModel = config.metricsModel;
var abrController = config.abrController;
var playbackController = config.playbackController;
var mediaController = config.mediaController;
var textController = config.textController;
var videoModel = config.videoModel;
var instance = undefined,
logger = undefined,
streamProcessors = undefined,
isStreamActivated = undefined,
isMediaInitialized = undefined,
streamInfo = undefined,
updateError = undefined,
isUpdating = undefined,
protectionController = undefined,
fragmentController = undefined,
thumbnailController = undefined,
eventController = undefined,
preloaded = undefined,
trackChangedEvent = undefined;
var codecCompatibilityTable = [{
'codec': 'avc1',
'compatibleCodecs': ['avc3']
}, {
'codec': 'avc3',
'compatibleCodecs': ['avc1']
}];
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
fragmentController = (0, _controllersFragmentController2['default'])(context).create({
mediaPlayerModel: mediaPlayerModel,
metricsModel: metricsModel,
errHandler: errHandler
});
eventBus.on(_coreEventsEvents2['default'].BUFFERING_COMPLETED, onBufferingCompleted, instance);
eventBus.on(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, instance);
}
function initialize(StreamInfo, ProtectionController) {
streamInfo = StreamInfo;
protectionController = ProtectionController;
if (protectionController) {
eventBus.on(_coreEventsEvents2['default'].KEY_ERROR, onProtectionError, instance);
eventBus.on(_coreEventsEvents2['default'].SERVER_CERTIFICATE_UPDATED, onProtectionError, instance);
eventBus.on(_coreEventsEvents2['default'].LICENSE_REQUEST_COMPLETE, onProtectionError, instance);
eventBus.on(_coreEventsEvents2['default'].KEY_SYSTEM_SELECTED, onProtectionError, instance);
eventBus.on(_coreEventsEvents2['default'].KEY_SESSION_CREATED, onProtectionError, instance);
eventBus.on(_coreEventsEvents2['default'].KEY_STATUSES_CHANGED, onProtectionError, instance);
}
}
/**
* Activates Stream by re-initializing some of its components
* @param {MediaSource} mediaSource
* @memberof Stream#
* @param {SourceBuffer} previousBuffers
*/
function activate(mediaSource, previousBuffers) {
if (!isStreamActivated) {
var result = undefined;
if (!getPreloaded()) {
result = initializeMedia(mediaSource, previousBuffers);
} else {
initializeAfterPreload();
result = previousBuffers;
}
eventBus.on(_coreEventsEvents2['default'].CURRENT_TRACK_CHANGED, onCurrentTrackChanged, instance);
isStreamActivated = true;
return result;
}
return previousBuffers;
}
/**
* Partially resets some of the Stream elements
* @memberof Stream#
* @param {boolean} keepBuffers
*/
function deactivate(keepBuffers) {
var ln = streamProcessors ? streamProcessors.length : 0;
var errored = false;
for (var i = 0; i < ln; i++) {
var fragmentModel = streamProcessors[i].getFragmentModel();
fragmentModel.removeExecutedRequestsBeforeTime(getStartTime() + getDuration());
streamProcessors[i].reset(errored, keepBuffers);
}
streamProcessors = [];
isStreamActivated = false;
isMediaInitialized = false;
setPreloaded(false);
eventBus.off(_coreEventsEvents2['default'].CURRENT_TRACK_CHANGED, onCurrentTrackChanged, instance);
}
function isActive() {
return isStreamActivated;
}
function setMediaSource(mediaSource) {
for (var i = 0; i < streamProcessors.length;) {
if (isMediaSupported(streamProcessors[i].getMediaInfo())) {
streamProcessors[i].setMediaSource(mediaSource);
i++;
} else {
streamProcessors[i].reset();
streamProcessors.splice(i, 1);
}
}
for (var i = 0; i < streamProcessors.length; i++) {
//Adding of new tracks to a stream processor isn't guaranteed by the spec after the METADATA_LOADED state
//so do this after the buffers are created above.
streamProcessors[i].dischargePreBuffer();
}
if (streamProcessors.length === 0) {
var msg = 'No streams to play.';
errHandler.manifestError(msg, 'nostreams', manifestModel.getValue());
logger.fatal(msg);
}
}
function resetInitialSettings() {
deactivate();
streamInfo = null;
updateError = {};
isUpdating = false;
}
function reset() {
if (playbackController) {
playbackController.pause();
}
if (fragmentController) {
fragmentController.reset();
fragmentController = null;
}
resetInitialSettings();
eventBus.off(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, instance);
eventBus.off(_coreEventsEvents2['default'].BUFFERING_COMPLETED, onBufferingCompleted, instance);
eventBus.off(_coreEventsEvents2['default'].KEY_ERROR, onProtectionError, instance);
eventBus.off(_coreEventsEvents2['default'].SERVER_CERTIFICATE_UPDATED, onProtectionError, instance);
eventBus.off(_coreEventsEvents2['default'].LICENSE_REQUEST_COMPLETE, onProtectionError, instance);
eventBus.off(_coreEventsEvents2['default'].KEY_SYSTEM_SELECTED, onProtectionError, instance);
eventBus.off(_coreEventsEvents2['default'].KEY_SESSION_CREATED, onProtectionError, instance);
eventBus.off(_coreEventsEvents2['default'].KEY_STATUSES_CHANGED, onProtectionError, instance);
setPreloaded(false);
}
function getDuration() {
return streamInfo ? streamInfo.duration : NaN;
}
function getStartTime() {
return streamInfo ? streamInfo.start : NaN;
}
function getId() {
return streamInfo ? streamInfo.id : NaN;
}
function getStreamInfo() {
return streamInfo;
}
function getEventController() {
return eventController;
}
function getFragmentController() {
return fragmentController;
}
function getThumbnailController() {
return thumbnailController;
}
function checkConfig() {
if (!abrController || !abrController.hasOwnProperty('getBitrateList') || !adapter || !adapter.hasOwnProperty('getAllMediaInfoForType') || !adapter.hasOwnProperty('getEventsFor')) {
throw new Error('Missing config parameter(s)');
}
}
/**
* @param {string} type
* @returns {Array}
* @memberof Stream#
*/
function getBitrateListFor(type) {
checkConfig();
if (type === _constantsConstants2['default'].IMAGE) {
if (!thumbnailController) {
return [];
}
return thumbnailController.getBitrateList();
}
var mediaInfo = getMediaInfo(type);
return abrController.getBitrateList(mediaInfo);
}
function startEventController() {
if (eventController) {
eventController.start();
}
}
function stopEventController() {
if (eventController) {
eventController.stop();
}
}
function onProtectionError(event) {
if (event.error) {
errHandler.mediaKeySessionError(event.error);
logger.fatal(event.error);
reset();
}
}
function isMediaSupported(mediaInfo) {
var type = mediaInfo.type;
var codec = undefined,
msg = undefined;
if (type === _constantsConstants2['default'].MUXED && mediaInfo) {
msg = 'Multiplexed representations are intentionally not supported, as they are not compliant with the DASH-AVC/264 guidelines';
logger.fatal(msg);
errHandler.manifestError(msg, 'multiplexedrep', manifestModel.getValue());
return false;
}
if (type === _constantsConstants2['default'].TEXT || type === _constantsConstants2['default'].FRAGMENTED_TEXT || type === _constantsConstants2['default'].EMBEDDED_TEXT || type === _constantsConstants2['default'].IMAGE) {
return true;
}
codec = mediaInfo.codec;
logger.debug(type + ' codec: ' + codec);
if (!!mediaInfo.contentProtection && !capabilities.supportsEncryptedMedia()) {
errHandler.capabilityError('encryptedmedia');
} else if (!capabilities.supportsCodec(codec)) {
msg = type + 'Codec (' + codec + ') is not supported.';
logger.error(msg);
return false;
}
return true;
}
function onCurrentTrackChanged(e) {
if (e.newMediaInfo.streamInfo.id !== streamInfo.id) return;
var processor = getProcessorForMediaInfo(e.newMediaInfo);
if (!processor) return;
var currentTime = playbackController.getTime();
logger.info('Stream - Process track changed at current time ' + currentTime);
var mediaInfo = e.newMediaInfo;
var manifest = manifestModel.getValue();
logger.debug('Stream - Update stream controller');
if (manifest.refreshManifestOnSwitchTrack) {
logger.debug('Stream - Refreshing manifest for switch track');
trackChangedEvent = e;
manifestUpdater.refreshManifest();
} else {
processor.selectMediaInfo(mediaInfo);
if (mediaInfo.type !== _constantsConstants2['default'].FRAGMENTED_TEXT) {
abrController.updateTopQualityIndex(mediaInfo);
processor.switchTrackAsked();
processor.getFragmentModel().abortRequests();
} else {
processor.getScheduleController().setSeekTarget(NaN);
adapter.setIndexHandlerTime(processor, currentTime);
adapter.resetIndexHandler(processor);
}
}
}
function createStreamProcessor(mediaInfo, allMediaForType, mediaSource, optionalSettings) {
var streamProcessor = (0, _StreamProcessor2['default'])(context).create({
type: mediaInfo.type,
mimeType: mediaInfo.mimeType,
timelineConverter: timelineConverter,
adapter: adapter,
manifestModel: manifestModel,
dashManifestModel: dashManifestModel,
mediaPlayerModel: mediaPlayerModel,
metricsModel: metricsModel,
dashMetrics: config.dashMetrics,
baseURLController: config.baseURLController,
stream: instance,
abrController: abrController,
domStorage: config.domStorage,
playbackController: playbackController,
mediaController: mediaController,
streamController: config.streamController,
textController: textController,
errHandler: errHandler
});
streamProcessor.initialize(mediaSource);
abrController.updateTopQualityIndex(mediaInfo);
if (optionalSettings) {
streamProcessor.setBuffer(optionalSettings.buffer);
streamProcessor.getIndexHandler().setCurrentTime(optionalSettings.currentTime);
streamProcessors[optionalSettings.replaceIdx] = streamProcessor;
} else {
streamProcessors.push(streamProcessor);
}
if (optionalSettings && optionalSettings.ignoreMediaInfo) {
return;
}
if (mediaInfo.type === _constantsConstants2['default'].TEXT || mediaInfo.type === _constantsConstants2['default'].FRAGMENTED_TEXT) {
var idx = undefined;
for (var i = 0; i < allMediaForType.length; i++) {
if (allMediaForType[i].index === mediaInfo.index) {
idx = i;
}
streamProcessor.addMediaInfo(allMediaForType[i]); //creates text tracks for all adaptations in one stream processor
}
streamProcessor.selectMediaInfo(allMediaForType[idx]); //sets the initial media info
} else {
streamProcessor.addMediaInfo(mediaInfo, true);
}
}
function initializeMediaForType(type, mediaSource) {
var allMediaForType = adapter.getAllMediaInfoForType(streamInfo, type);
var mediaInfo = null;
var initialMediaInfo = undefined;
if (!allMediaForType || allMediaForType.length === 0) {
logger.info('No ' + type + ' data.');
return;
}
for (var i = 0, ln = allMediaForType.length; i < ln; i++) {
mediaInfo = allMediaForType[i];
if (type === _constantsConstants2['default'].EMBEDDED_TEXT) {
textController.addEmbeddedTrack(mediaInfo);
} else {
if (!isMediaSupported(mediaInfo)) continue;
mediaController.addTrack(mediaInfo);
}
}
if (type === _constantsConstants2['default'].EMBEDDED_TEXT || mediaController.getTracksFor(type, streamInfo).length === 0) {
return;
}
if (type === _constantsConstants2['default'].IMAGE) {
thumbnailController = (0, _thumbnailThumbnailController2['default'])(context).create({
dashManifestModel: dashManifestModel,
adapter: adapter,
baseURLController: config.baseURLController,
stream: instance
});
return;
}
if (type !== _constantsConstants2['default'].FRAGMENTED_TEXT || type === _constantsConstants2['default'].FRAGMENTED_TEXT && textController.getTextDefaultEnabled()) {
mediaController.checkInitialMediaSettingsForType(type, streamInfo);
initialMediaInfo = mediaController.getCurrentTrackFor(type, streamInfo);
}
if (type === _constantsConstants2['default'].FRAGMENTED_TEXT && !textController.getTextDefaultEnabled()) {
initialMediaInfo = mediaController.getTracksFor(type, streamInfo)[0];
}
// TODO : How to tell index handler live/duration?
// TODO : Pass to controller and then pass to each method on handler?
createStreamProcessor(initialMediaInfo, allMediaForType, mediaSource);
}
function initializeMedia(mediaSource, previousBuffers) {
checkConfig();
var events = undefined;
var element = videoModel.getElement();
//if initializeMedia is called from a switch period, eventController could have been already created.
if (!eventController) {
eventController = (0, _controllersEventController2['default'])(context).create();
eventController.setConfig({
manifestModel: manifestModel,
manifestUpdater: manifestUpdater,
playbackController: playbackController
});
events = adapter.getEventsFor(streamInfo);
eventController.addInlineEvents(events);
}
isUpdating = true;
filterCodecs(_constantsConstants2['default'].VIDEO);
filterCodecs(_constantsConstants2['default'].AUDIO);
if (element === null || element && /^VIDEO$/i.test(element.nodeName)) {
initializeMediaForType(_constantsConstants2['default'].VIDEO, mediaSource);
}
initializeMediaForType(_constantsConstants2['default'].AUDIO, mediaSource);
initializeMediaForType(_constantsConstants2['default'].TEXT, mediaSource);
initializeMediaForType(_constantsConstants2['default'].FRAGMENTED_TEXT, mediaSource);
initializeMediaForType(_constantsConstants2['default'].EMBEDDED_TEXT, mediaSource);
initializeMediaForType(_constantsConstants2['default'].MUXED, mediaSource);
initializeMediaForType(_constantsConstants2['default'].IMAGE, mediaSource);
//TODO. Consider initialization of TextSourceBuffer here if embeddedText, but no sideloadedText.
var buffers = createBuffers(previousBuffers);
isMediaInitialized = true;
isUpdating = false;
if (streamProcessors.length === 0) {
var msg = 'No streams to play.';
errHandler.manifestError(msg, 'nostreams', manifestModel.getValue());
logger.fatal(msg);
} else {
checkIfInitializationCompleted();
}
return buffers;
}
function initializeAfterPreload() {
isUpdating = true;
checkConfig();
filterCodecs(_constantsConstants2['default'].VIDEO);
filterCodecs(_constantsConstants2['default'].AUDIO);
isMediaInitialized = true;
isUpdating = false;
if (streamProcessors.length === 0) {
var msg = 'No streams to play.';
errHandler.manifestError(msg, 'nostreams', manifestModel.getValue());
logger.debug(msg);
} else {
checkIfInitializationCompleted();
}
}
function filterCodecs(type) {
var realAdaptation = dashManifestModel.getAdaptationForType(manifestModel.getValue(), streamInfo.index, type, streamInfo);
if (!realAdaptation || !Array.isArray(realAdaptation.Representation_asArray)) return null;
// Filter codecs that are not supported
realAdaptation.Representation_asArray = realAdaptation.Representation_asArray.filter(function (_, i) {
// keep at least codec from lowest representation
if (i === 0) return true;
var codec = dashManifestModel.getCodec(realAdaptation, i, true);
if (!capabilities.supportsCodec(codec)) {
logger.error('[Stream] codec not supported: ' + codec);
return false;
}
return true;
});
}
function checkIfInitializationCompleted() {
var ln = streamProcessors.length;
var hasError = !!updateError.audio || !!updateError.video;
var error = hasError ? new Error(DATA_UPDATE_FAILED_ERROR_CODE, 'Data update failed', null) : null;
for (var i = 0; i < ln; i++) {
if (streamProcessors[i].isUpdating() || isUpdating) {
return;
}
}
if (!isMediaInitialized) {
return;
}
if (protectionController) {
// Need to check if streamProcessors exists because streamProcessors
// could be cleared in case an error is detected while initializing DRM keysystem
for (var i = 0; i < ln && streamProcessors[i]; i++) {
if (streamProcessors[i].getType() === _constantsConstants2['default'].AUDIO || streamProcessors[i].getType() === _constantsConstants2['default'].VIDEO || streamProcessors[i].getType() === _constantsConstants2['default'].FRAGMENTED_TEXT) {
protectionController.initializeForMedia(streamProcessors[i].getMediaInfo());
}
}
}
eventBus.trigger(_coreEventsEvents2['default'].STREAM_INITIALIZED, {
streamInfo: streamInfo,
error: error
});
}
function getMediaInfo(type) {
var ln = streamProcessors.length;
var streamProcessor = null;
for (var i = 0; i < ln; i++) {
streamProcessor = streamProcessors[i];
if (streamProcessor.getType() === type) {
return streamProcessor.getMediaInfo();
}
}
return null;
}
function createBuffers(previousBuffers) {
var buffers = {};
for (var i = 0, ln = streamProcessors.length; i < ln; i++) {
buffers[streamProcessors[i].getType()] = streamProcessors[i].createBuffer(previousBuffers).getBuffer();
}
return buffers;
}
function onBufferingCompleted(e) {
if (e.streamInfo !== streamInfo) {
return;
}
var processors = getProcessors();
var ln = processors.length;
if (ln === 0) {
logger.warn('onBufferingCompleted - can\'t trigger STREAM_BUFFERING_COMPLETED because no streamProcessor is defined');
return;
}
// if there is at least one buffer controller that has not completed buffering yet do nothing
for (var i = 0; i < ln; i++) {
//if audio or video buffer is not buffering completed state, do not send STREAM_BUFFERING_COMPLETED
if (!processors[i].isBufferingCompleted() && (processors[i].getType() === _constantsConstants2['default'].AUDIO || processors[i].getType() === _constantsConstants2['default'].VIDEO)) {
logger.warn('onBufferingCompleted - can\'t trigger STREAM_BUFFERING_COMPLETED because streamProcessor ' + processors[i].getType() + ' is not buffering completed');
return;
}
}
logger.debug('onBufferingCompleted - trigger STREAM_BUFFERING_COMPLETED');
eventBus.trigger(_coreEventsEvents2['default'].STREAM_BUFFERING_COMPLETED, {
streamInfo: streamInfo
});
}
function onDataUpdateCompleted(e) {
var sp = e.sender.getStreamProcessor();
if (sp.getStreamInfo() !== streamInfo) {
return;
}
updateError[sp.getType()] = e.error;
checkIfInitializationCompleted();
}
function getProcessorForMediaInfo(mediaInfo) {
if (!mediaInfo) {
return false;
}
var processors = getProcessors();
return processors.filter(function (processor) {
return processor.getType() === mediaInfo.type;
})[0];
}
function getProcessors() {
var ln = streamProcessors.length;
var arr = [];
var type = undefined,
streamProcessor = undefined;
for (var i = 0; i < ln; i++) {
streamProcessor = streamProcessors[i];
type = streamProcessor.getType();
if (type === _constantsConstants2['default'].AUDIO || type === _constantsConstants2['default'].VIDEO || type === _constantsConstants2['default'].FRAGMENTED_TEXT || type === _constantsConstants2['default'].TEXT) {
arr.push(streamProcessor);
}
}
return arr;
}
function updateData(updatedStreamInfo) {
logger.info('Manifest updated... updating data system wide.');
isStreamActivated = false;
isUpdating = true;
streamInfo = updatedStreamInfo;
if (eventController) {
var events = adapter.getEventsFor(streamInfo);
eventController.addInlineEvents(events);
}
filterCodecs(_constantsConstants2['default'].VIDEO);
filterCodecs(_constantsConstants2['default'].AUDIO);
for (var i = 0, ln = streamProcessors.length; i < ln; i++) {
var streamProcessor = streamProcessors[i];
var mediaInfo = adapter.getMediaInfoForType(streamInfo, streamProcessor.getType());
abrController.updateTopQualityIndex(mediaInfo);
streamProcessor.addMediaInfo(mediaInfo, true);
}
if (trackChangedEvent) {
var mediaInfo = trackChangedEvent.newMediaInfo;
if (mediaInfo.type !== 'fragmentedText') {
var processor = getProcessorForMediaInfo(trackChangedEvent.oldMediaInfo);
if (!processor) return;
processor.switchTrackAsked();
trackChangedEvent = undefined;
}
}
isUpdating = false;
checkIfInitializationCompleted();
}
function isCompatibleWithStream(stream) {
return compareCodecs(stream, _constantsConstants2['default'].VIDEO) && compareCodecs(stream, _constantsConstants2['default'].AUDIO);
}
function compareCodecs(stream, type) {
if (!stream) {
return false;
}
var newStreamInfo = stream.getStreamInfo();
var currentStreamInfo = getStreamInfo();
if (!newStreamInfo || !currentStreamInfo) {
return false;
}
var newAdaptation = dashManifestModel.getAdaptationForType(manifestModel.getValue(), newStreamInfo.index, type, newStreamInfo);
var currentAdaptation = dashManifestModel.getAdaptationForType(manifestModel.getValue(), currentStreamInfo.index, type, currentStreamInfo);
if (!newAdaptation || !currentAdaptation) {
// If there is no adaptation for neither the old or the new stream they're compatible
return !newAdaptation && !currentAdaptation;
}
var sameMimeType = newAdaptation && currentAdaptation && newAdaptation.mimeType === currentAdaptation.mimeType;
var oldCodecs = currentAdaptation.Representation_asArray.map(function (representation) {
return representation.codecs;
});
var newCodecs = newAdaptation.Representation_asArray.map(function (representation) {
return representation.codecs;
});
var codecMatch = newCodecs.some(function (newCodec) {
return oldCodecs.indexOf(newCodec) > -1;
});
var partialCodecMatch = newCodecs.some(function (newCodec) {
return oldCodecs.some(function (oldCodec) {
return codecRootCompatibleWithCodec(oldCodec, newCodec);
});
});
return codecMatch || partialCodecMatch && sameMimeType;
}
// Check if the root of the old codec is the same as the new one, or if it's declared as compatible in the compat table
function codecRootCompatibleWithCodec(codec1, codec2) {
var codecRoot = codec1.split('.')[0];
var compatTableCodec = codecCompatibilityTable.find(function (compat) {
return compat.codec === codecRoot;
});
var rootCompatible = codec2.indexOf(codecRoot) === 0;
if (compatTableCodec) {
return rootCompatible || compatTableCodec.compatibleCodecs.some(function (compatibleCodec) {
return codec2.indexOf(compatibleCodec) === 0;
});
}
return rootCompatible;
}
function setPreloaded(value) {
preloaded = value;
}
function getPreloaded() {
return preloaded;
}
function preload(mediaSource, previousBuffers) {
var events = undefined;
//if initializeMedia is called from a switch period, eventController could have been already created.
if (!eventController) {
eventController = (0, _controllersEventController2['default'])(context).create();
eventController.setConfig({
manifestModel: manifestModel,
manifestUpdater: manifestUpdater,
playbackController: playbackController
});
events = adapter.getEventsFor(streamInfo);
eventController.addInlineEvents(events);
}
initializeMediaForType(_constantsConstants2['default'].VIDEO, mediaSource);
initializeMediaForType(_constantsConstants2['default'].AUDIO, mediaSource);
initializeMediaForType(_constantsConstants2['default'].TEXT, mediaSource);
initializeMediaForType(_constantsConstants2['default'].FRAGMENTED_TEXT, mediaSource);
initializeMediaForType(_constantsConstants2['default'].EMBEDDED_TEXT, mediaSource);
initializeMediaForType(_constantsConstants2['default'].MUXED, mediaSource);
initializeMediaForType(_constantsConstants2['default'].IMAGE, mediaSource);
createBuffers(previousBuffers);
eventBus.on(_coreEventsEvents2['default'].CURRENT_TRACK_CHANGED, onCurrentTrackChanged, instance);
for (var i = 0; i < streamProcessors.length && streamProcessors[i]; i++) {
streamProcessors[i].getScheduleController().start();
}
setPreloaded(true);
}
instance = {
initialize: initialize,
activate: activate,
deactivate: deactivate,
isActive: isActive,
getDuration: getDuration,
getStartTime: getStartTime,
getId: getId,
getStreamInfo: getStreamInfo,
preload: preload,
getFragmentController: getFragmentController,
getThumbnailController: getThumbnailController,
getEventController: getEventController,
getBitrateListFor: getBitrateListFor,
startEventController: startEventController,
stopEventController: stopEventController,
updateData: updateData,
reset: reset,
getProcessors: getProcessors,
setMediaSource: setMediaSource,
isCompatibleWithStream: isCompatibleWithStream,
getPreloaded: getPreloaded
};
setup();
return instance;
}
Stream.__dashjs_factory_name = 'Stream';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(Stream);
module.exports = exports['default'];
},{"104":104,"105":105,"143":143,"45":45,"46":46,"47":47,"50":50,"96":96,"98":98}],96:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _utilsLiveEdgeFinder = _dereq_(154);
var _utilsLiveEdgeFinder2 = _interopRequireDefault(_utilsLiveEdgeFinder);
var _controllersBufferController = _dereq_(103);
var _controllersBufferController2 = _interopRequireDefault(_controllersBufferController);
var _textTextBufferController = _dereq_(139);
var _textTextBufferController2 = _interopRequireDefault(_textTextBufferController);
var _controllersScheduleController = _dereq_(109);
var _controllersScheduleController2 = _interopRequireDefault(_controllersScheduleController);
var _dashControllersRepresentationController = _dereq_(58);
var _dashControllersRepresentationController2 = _interopRequireDefault(_dashControllersRepresentationController);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _dashDashHandler = _dereq_(53);
var _dashDashHandler2 = _interopRequireDefault(_dashDashHandler);
function StreamProcessor(config) {
config = config || {};
var context = this.context;
var indexHandler = undefined;
var type = config.type;
var errHandler = config.errHandler;
var mimeType = config.mimeType;
var timelineConverter = config.timelineConverter;
var adapter = config.adapter;
var manifestModel = config.manifestModel;
var mediaPlayerModel = config.mediaPlayerModel;
var stream = config.stream;
var abrController = config.abrController;
var playbackController = config.playbackController;
var streamController = config.streamController;
var mediaController = config.mediaController;
var textController = config.textController;
var domStorage = config.domStorage;
var metricsModel = config.metricsModel;
var dashMetrics = config.dashMetrics;
var dashManifestModel = config.dashManifestModel;
var instance = undefined,
mediaInfo = undefined,
mediaInfoArr = undefined,
bufferController = undefined,
scheduleController = undefined,
liveEdgeFinder = undefined,
representationController = undefined,
fragmentModel = undefined,
spExternalControllers = undefined;
function setup() {
if (playbackController && playbackController.getIsDynamic()) {
liveEdgeFinder = (0, _utilsLiveEdgeFinder2['default'])(context).create({
timelineConverter: timelineConverter,
streamProcessor: instance
});
}
resetInitialSettings();
}
function initialize(mediaSource) {
indexHandler = (0, _dashDashHandler2['default'])(context).create({
mimeType: mimeType,
timelineConverter: timelineConverter,
dashMetrics: dashMetrics,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
baseURLController: config.baseURLController,
errHandler: errHandler
});
// initialize controllers
indexHandler.initialize(instance);
abrController.registerStreamType(type, instance);
fragmentModel = stream.getFragmentController().getModel(type);
fragmentModel.setStreamProcessor(instance);
bufferController = createBufferControllerForType(type);
scheduleController = (0, _controllersScheduleController2['default'])(context).create({
type: type,
mimeType: mimeType,
metricsModel: metricsModel,
adapter: adapter,
dashMetrics: dashMetrics,
dashManifestModel: dashManifestModel,
timelineConverter: timelineConverter,
mediaPlayerModel: mediaPlayerModel,
abrController: abrController,
playbackController: playbackController,
streamController: streamController,
textController: textController,
streamProcessor: instance,
mediaController: mediaController
});
representationController = (0, _dashControllersRepresentationController2['default'])(context).create();
representationController.setConfig({
abrController: abrController,
domStorage: domStorage,
metricsModel: metricsModel,
dashMetrics: dashMetrics,
dashManifestModel: dashManifestModel,
manifestModel: manifestModel,
playbackController: playbackController,
timelineConverter: timelineConverter,
streamProcessor: instance
});
bufferController.initialize(mediaSource);
scheduleController.initialize();
representationController.initialize();
}
function registerExternalController(controller) {
spExternalControllers.push(controller);
}
function unregisterExternalController(controller) {
var index = spExternalControllers.indexOf(controller);
if (index !== -1) {
spExternalControllers.splice(index, 1);
}
}
function getExternalControllers() {
return spExternalControllers;
}
function unregisterAllExternalController() {
spExternalControllers = [];
}
function resetInitialSettings() {
mediaInfoArr = [];
mediaInfo = null;
unregisterAllExternalController();
}
function reset(errored, keepBuffers) {
indexHandler.reset();
if (bufferController) {
bufferController.reset(errored, keepBuffers);
bufferController = null;
}
if (scheduleController) {
scheduleController.reset();
scheduleController = null;
}
if (representationController) {
representationController.reset();
representationController = null;
}
if (abrController) {
abrController.unRegisterStreamType(type);
}
spExternalControllers.forEach(function (controller) {
controller.reset();
});
resetInitialSettings();
type = null;
stream = null;
if (liveEdgeFinder) {
liveEdgeFinder.reset();
liveEdgeFinder = null;
}
}
function isUpdating() {
return representationController ? representationController.isUpdating() : false;
}
function getType() {
return type;
}
function getRepresentationController() {
return representationController;
}
function getIndexHandler() {
return indexHandler;
}
function getFragmentController() {
return stream ? stream.getFragmentController() : null;
}
function getBuffer() {
return bufferController.getBuffer();
}
function setBuffer(buffer) {
bufferController.setBuffer(buffer);
}
function getBufferController() {
return bufferController;
}
function getFragmentModel() {
return fragmentModel;
}
function getLiveEdgeFinder() {
return liveEdgeFinder;
}
function getStreamInfo() {
return stream ? stream.getStreamInfo() : null;
}
function getEventController() {
return stream ? stream.getEventController() : null;
}
function selectMediaInfo(newMediaInfo) {
if (newMediaInfo !== mediaInfo && (!newMediaInfo || !mediaInfo || newMediaInfo.type === mediaInfo.type)) {
mediaInfo = newMediaInfo;
}
adapter.updateData(this);
}
function addMediaInfo(newMediaInfo, selectNewMediaInfo) {
if (mediaInfoArr.indexOf(newMediaInfo) === -1) {
mediaInfoArr.push(newMediaInfo);
}
if (selectNewMediaInfo) {
this.selectMediaInfo(newMediaInfo);
}
}
function getMediaInfoArr() {
return mediaInfoArr;
}
function getMediaInfo() {
return mediaInfo;
}
function getMediaSource() {
return bufferController.getMediaSource();
}
function setMediaSource(mediaSource) {
bufferController.setMediaSource(mediaSource, getMediaInfo());
}
function dischargePreBuffer() {
bufferController.dischargePreBuffer();
}
function getScheduleController() {
return scheduleController;
}
function getCurrentRepresentationInfo() {
return adapter.getCurrentRepresentationInfo(representationController);
}
function getRepresentationInfoForQuality(quality) {
return adapter.getRepresentationInfoForQuality(representationController, quality);
}
function isBufferingCompleted() {
if (bufferController) {
return bufferController.getIsBufferingCompleted();
}
return false;
}
function timeIsBuffered(time) {
if (bufferController) {
return bufferController.getRangeAt(time, 0) !== null;
}
return false;
}
function getBufferLevel() {
return bufferController.getBufferLevel();
}
function switchInitData(representationId, bufferResetEnabled) {
if (bufferController) {
bufferController.switchInitData(getStreamInfo().id, representationId, bufferResetEnabled);
}
}
function createBuffer(previousBuffers) {
return bufferController.getBuffer() || bufferController.createBuffer(mediaInfo, previousBuffers);
}
function switchTrackAsked() {
scheduleController.switchTrackAsked();
}
function createBufferControllerForType(type) {
var controller = null;
if (type === _constantsConstants2['default'].VIDEO || type === _constantsConstants2['default'].AUDIO) {
controller = (0, _controllersBufferController2['default'])(context).create({
type: type,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
manifestModel: manifestModel,
errHandler: errHandler,
streamController: streamController,
mediaController: mediaController,
adapter: adapter,
textController: textController,
abrController: abrController,
playbackController: playbackController,
streamProcessor: instance
});
} else {
controller = (0, _textTextBufferController2['default'])(context).create({
type: type,
mimeType: mimeType,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
manifestModel: manifestModel,
errHandler: errHandler,
streamController: streamController,
mediaController: mediaController,
adapter: adapter,
textController: textController,
abrController: abrController,
playbackController: playbackController,
streamProcessor: instance
});
}
return controller;
}
function getPlaybackController() {
return playbackController;
}
instance = {
initialize: initialize,
isUpdating: isUpdating,
getType: getType,
getBufferController: getBufferController,
getFragmentModel: getFragmentModel,
getScheduleController: getScheduleController,
getLiveEdgeFinder: getLiveEdgeFinder,
getEventController: getEventController,
getFragmentController: getFragmentController,
getRepresentationController: getRepresentationController,
getIndexHandler: getIndexHandler,
getPlaybackController: getPlaybackController,
getCurrentRepresentationInfo: getCurrentRepresentationInfo,
getRepresentationInfoForQuality: getRepresentationInfoForQuality,
getBufferLevel: getBufferLevel,
switchInitData: switchInitData,
isBufferingCompleted: isBufferingCompleted,
timeIsBuffered: timeIsBuffered,
createBuffer: createBuffer,
getStreamInfo: getStreamInfo,
selectMediaInfo: selectMediaInfo,
addMediaInfo: addMediaInfo,
switchTrackAsked: switchTrackAsked,
getMediaInfoArr: getMediaInfoArr,
getMediaInfo: getMediaInfo,
getMediaSource: getMediaSource,
setMediaSource: setMediaSource,
dischargePreBuffer: dischargePreBuffer,
getBuffer: getBuffer,
setBuffer: setBuffer,
registerExternalController: registerExternalController,
unregisterExternalController: unregisterExternalController,
getExternalControllers: getExternalControllers,
unregisterAllExternalController: unregisterAllExternalController,
reset: reset
};
setup();
return instance;
}
StreamProcessor.__dashjs_factory_name = 'StreamProcessor';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(StreamProcessor);
module.exports = exports['default'];
},{"103":103,"109":109,"139":139,"154":154,"47":47,"53":53,"58":58,"98":98}],97:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _voDashJSError = _dereq_(163);
var _voDashJSError2 = _interopRequireDefault(_voDashJSError);
var _netHTTPLoader = _dereq_(121);
var _netHTTPLoader2 = _interopRequireDefault(_netHTTPLoader);
var _voMetricsHTTPRequest = _dereq_(183);
var _voTextRequest = _dereq_(174);
var _voTextRequest2 = _interopRequireDefault(_voTextRequest);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var XLINK_LOADER_ERROR_LOADING_FAILURE = 1;
function XlinkLoader(config) {
config = config || {};
var RESOLVE_TO_ZERO = 'urn:mpeg:dash:resolve-to-zero:2013';
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var httpLoader = (0, _netHTTPLoader2['default'])(context).create({
errHandler: config.errHandler,
metricsModel: config.metricsModel,
mediaPlayerModel: config.mediaPlayerModel,
requestModifier: config.requestModifier
});
var instance = undefined;
function load(url, element, resolveObject) {
var report = function report(content, resolveToZero) {
element.resolved = true;
element.resolvedContent = content ? content : null;
eventBus.trigger(_coreEventsEvents2['default'].XLINK_ELEMENT_LOADED, {
element: element,
resolveObject: resolveObject,
error: content || resolveToZero ? null : new _voDashJSError2['default'](XLINK_LOADER_ERROR_LOADING_FAILURE, 'Failed loading Xlink element: ' + url)
});
};
if (url === RESOLVE_TO_ZERO) {
report(null, true);
} else {
var request = new _voTextRequest2['default'](url, _voMetricsHTTPRequest.HTTPRequest.XLINK_TYPE);
httpLoader.load({
request: request,
success: function success(data) {
report(data);
},
error: function error() {
report(null);
}
});
}
}
function reset() {
if (httpLoader) {
httpLoader.abort();
httpLoader = null;
}
}
instance = {
load: load,
reset: reset
};
return instance;
}
XlinkLoader.__dashjs_factory_name = 'XlinkLoader';
var factory = _coreFactoryMaker2['default'].getClassFactory(XlinkLoader);
factory.XLINK_LOADER_ERROR_LOADING_FAILURE = XLINK_LOADER_ERROR_LOADING_FAILURE;
_coreFactoryMaker2['default'].updateClassFactory(XlinkLoader.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"121":121,"163":163,"174":174,"183":183,"46":46,"47":47,"50":50}],98:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Constants declaration
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var Constants = (function () {
_createClass(Constants, [{
key: 'init',
value: function init() {
this.STREAM = 'stream';
this.VIDEO = 'video';
this.AUDIO = 'audio';
this.TEXT = 'text';
this.FRAGMENTED_TEXT = 'fragmentedText';
this.EMBEDDED_TEXT = 'embeddedText';
this.MUXED = 'muxed';
this.IMAGE = 'image';
this.LOCATION = 'Location';
this.INITIALIZE = 'initialize';
this.TEXT_SHOWING = 'showing';
this.TEXT_HIDDEN = 'hidden';
this.CC1 = 'CC1';
this.CC3 = 'CC3';
this.STPP = 'stpp';
this.TTML = 'ttml';
this.VTT = 'vtt';
this.WVTT = 'wvtt';
this.UTF8 = 'utf-8';
this.SUGGESTED_PRESENTATION_DELAY = 'suggestedPresentationDelay';
this.SCHEME_ID_URI = 'schemeIdUri';
this.START_TIME = 'starttime';
this.ABR_STRATEGY_DYNAMIC = 'abrDynamic';
this.ABR_STRATEGY_BOLA = 'abrBola';
this.ABR_STRATEGY_THROUGHPUT = 'abrThroughput';
this.MOVING_AVERAGE_SLIDING_WINDOW = 'slidingWindow';
this.MOVING_AVERAGE_EWMA = 'ewma';
}
}]);
function Constants() {
_classCallCheck(this, Constants);
this.init();
}
return Constants;
})();
var constants = new Constants();
exports['default'] = constants;
module.exports = exports['default'];
},{}],99:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Metrics Constants declaration
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var MetricsConstants = (function () {
_createClass(MetricsConstants, [{
key: 'init',
value: function init() {
this.TCP_CONNECTION = 'TcpList';
this.HTTP_REQUEST = 'HttpList';
this.TRACK_SWITCH = 'RepSwitchList';
this.BUFFER_LEVEL = 'BufferLevel';
this.BUFFER_STATE = 'BufferState';
this.DVR_INFO = 'DVRInfo';
this.DROPPED_FRAMES = 'DroppedFrames';
this.SCHEDULING_INFO = 'SchedulingInfo';
this.REQUESTS_QUEUE = 'RequestsQueue';
this.MANIFEST_UPDATE = 'ManifestUpdate';
this.MANIFEST_UPDATE_STREAM_INFO = 'ManifestUpdatePeriodInfo';
this.MANIFEST_UPDATE_TRACK_INFO = 'ManifestUpdateRepresentationInfo';
this.PLAY_LIST = 'PlayList';
this.DVB_ERRORS = 'DVBErrors';
}
}]);
function MetricsConstants() {
_classCallCheck(this, MetricsConstants);
this.init();
}
return MetricsConstants;
})();
var constants = new MetricsConstants();
exports['default'] = constants;
module.exports = exports['default'];
},{}],100:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _rulesAbrABRRulesCollection = _dereq_(128);
var _rulesAbrABRRulesCollection2 = _interopRequireDefault(_rulesAbrABRRulesCollection);
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _constantsMetricsConstants = _dereq_(99);
var _constantsMetricsConstants2 = _interopRequireDefault(_constantsMetricsConstants);
var _voBitrateInfo = _dereq_(162);
var _voBitrateInfo2 = _interopRequireDefault(_voBitrateInfo);
var _modelsFragmentModel = _dereq_(114);
var _modelsFragmentModel2 = _interopRequireDefault(_modelsFragmentModel);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _rulesRulesContext = _dereq_(124);
var _rulesRulesContext2 = _interopRequireDefault(_rulesRulesContext);
var _rulesSwitchRequest = _dereq_(125);
var _rulesSwitchRequest2 = _interopRequireDefault(_rulesSwitchRequest);
var _rulesSwitchRequestHistory = _dereq_(126);
var _rulesSwitchRequestHistory2 = _interopRequireDefault(_rulesSwitchRequestHistory);
var _rulesDroppedFramesHistory = _dereq_(123);
var _rulesDroppedFramesHistory2 = _interopRequireDefault(_rulesDroppedFramesHistory);
var _rulesThroughputHistory = _dereq_(127);
var _rulesThroughputHistory2 = _interopRequireDefault(_rulesThroughputHistory);
var _voMetricsHTTPRequest = _dereq_(183);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var ABANDON_LOAD = 'abandonload';
var ALLOW_LOAD = 'allowload';
var DEFAULT_VIDEO_BITRATE = 1000;
var DEFAULT_AUDIO_BITRATE = 100;
var QUALITY_DEFAULT = 0;
function AbrController() {
var context = this.context;
var debug = (0, _coreDebug2['default'])(context).getInstance();
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
abrRulesCollection = undefined,
streamController = undefined,
autoSwitchBitrate = undefined,
topQualities = undefined,
qualityDict = undefined,
bitrateDict = undefined,
ratioDict = undefined,
streamProcessorDict = undefined,
abandonmentStateDict = undefined,
abandonmentTimeout = undefined,
limitBitrateByPortal = undefined,
usePixelRatioInLimitBitrateByPortal = undefined,
windowResizeEventCalled = undefined,
elementWidth = undefined,
elementHeight = undefined,
manifestModel = undefined,
dashManifestModel = undefined,
adapter = undefined,
videoModel = undefined,
mediaPlayerModel = undefined,
domStorage = undefined,
playbackIndex = undefined,
switchHistoryDict = undefined,
droppedFramesHistory = undefined,
throughputHistory = undefined,
isUsingBufferOccupancyABRDict = undefined,
metricsModel = undefined,
dashMetrics = undefined,
useDeadTimeLatency = undefined;
function setup() {
logger = debug.getLogger(instance);
resetInitialSettings();
}
function registerStreamType(type, streamProcessor) {
switchHistoryDict[type] = (0, _rulesSwitchRequestHistory2['default'])(context).create();
streamProcessorDict[type] = streamProcessor;
abandonmentStateDict[type] = abandonmentStateDict[type] || {};
abandonmentStateDict[type].state = ALLOW_LOAD;
isUsingBufferOccupancyABRDict[type] = false;
eventBus.on(_coreEventsEvents2['default'].LOADING_PROGRESS, onFragmentLoadProgress, this);
if (type == _constantsConstants2['default'].VIDEO) {
eventBus.on(_coreEventsEvents2['default'].QUALITY_CHANGE_RENDERED, onQualityChangeRendered, this);
droppedFramesHistory = (0, _rulesDroppedFramesHistory2['default'])(context).create();
setElementSize();
}
eventBus.on(_coreEventsEvents2['default'].METRIC_ADDED, onMetricAdded, this);
eventBus.on(_coreEventsEvents2['default'].PERIOD_SWITCH_COMPLETED, createAbrRulesCollection, this);
throughputHistory = (0, _rulesThroughputHistory2['default'])(context).create({
mediaPlayerModel: mediaPlayerModel
});
}
function unRegisterStreamType(type) {
delete streamProcessorDict[type];
}
function createAbrRulesCollection() {
abrRulesCollection = (0, _rulesAbrABRRulesCollection2['default'])(context).create({
metricsModel: metricsModel,
dashMetrics: dashMetrics,
mediaPlayerModel: mediaPlayerModel,
adapter: adapter
});
abrRulesCollection.initialize();
}
function resetInitialSettings() {
autoSwitchBitrate = { video: true, audio: true };
topQualities = {};
qualityDict = {};
bitrateDict = {};
ratioDict = {};
abandonmentStateDict = {};
streamProcessorDict = {};
switchHistoryDict = {};
isUsingBufferOccupancyABRDict = {};
limitBitrateByPortal = false;
useDeadTimeLatency = true;
usePixelRatioInLimitBitrateByPortal = false;
if (windowResizeEventCalled === undefined) {
windowResizeEventCalled = false;
}
playbackIndex = undefined;
droppedFramesHistory = undefined;
throughputHistory = undefined;
clearTimeout(abandonmentTimeout);
abandonmentTimeout = null;
}
function reset() {
resetInitialSettings();
eventBus.off(_coreEventsEvents2['default'].LOADING_PROGRESS, onFragmentLoadProgress, this);
eventBus.off(_coreEventsEvents2['default'].QUALITY_CHANGE_RENDERED, onQualityChangeRendered, this);
eventBus.off(_coreEventsEvents2['default'].METRIC_ADDED, onMetricAdded, this);
eventBus.off(_coreEventsEvents2['default'].PERIOD_SWITCH_COMPLETED, createAbrRulesCollection, this);
if (abrRulesCollection) {
abrRulesCollection.reset();
}
}
function setConfig(config) {
if (!config) return;
if (config.streamController) {
streamController = config.streamController;
}
if (config.domStorage) {
domStorage = config.domStorage;
}
if (config.mediaPlayerModel) {
mediaPlayerModel = config.mediaPlayerModel;
}
if (config.metricsModel) {
metricsModel = config.metricsModel;
}
if (config.dashMetrics) {
dashMetrics = config.dashMetrics;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.adapter) {
adapter = config.adapter;
}
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.videoModel) {
videoModel = config.videoModel;
}
}
function onQualityChangeRendered(e) {
if (e.mediaType === _constantsConstants2['default'].VIDEO) {
playbackIndex = e.oldQuality;
droppedFramesHistory.push(playbackIndex, videoModel.getPlaybackQuality());
}
}
function onMetricAdded(e) {
if (e.metric === _constantsMetricsConstants2['default'].HTTP_REQUEST && e.value && e.value.type === _voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE && (e.mediaType === _constantsConstants2['default'].AUDIO || e.mediaType === _constantsConstants2['default'].VIDEO)) {
throughputHistory.push(e.mediaType, e.value, useDeadTimeLatency);
}
if (e.metric === _constantsMetricsConstants2['default'].BUFFER_LEVEL && (e.mediaType === _constantsConstants2['default'].AUDIO || e.mediaType === _constantsConstants2['default'].VIDEO)) {
updateIsUsingBufferOccupancyABR(e.mediaType, 0.001 * e.value.level);
}
}
function getTopQualityIndexFor(type, id) {
var idx = undefined;
topQualities[id] = topQualities[id] || {};
if (!topQualities[id].hasOwnProperty(type)) {
topQualities[id][type] = 0;
}
idx = checkMaxBitrate(topQualities[id][type], type);
idx = checkMaxRepresentationRatio(idx, type, topQualities[id][type]);
idx = checkPortalSize(idx, type);
return idx;
}
/**
* Gets top BitrateInfo for the player
* @param {string} type - 'video' or 'audio' are the type options.
* @returns {BitrateInfo | null}
*/
function getTopBitrateInfoFor(type) {
if (type && streamProcessorDict && streamProcessorDict[type]) {
var streamInfo = streamProcessorDict[type].getStreamInfo();
if (streamInfo.id) {
var idx = getTopQualityIndexFor(type, streamInfo.id);
var bitrates = getBitrateList(streamProcessorDict[type].getMediaInfo());
return bitrates[idx] ? bitrates[idx] : null;
}
}
return null;
}
/**
* @param {string} type
* @returns {number} A value of the initial bitrate, kbps
* @memberof AbrController#
*/
function getInitialBitrateFor(type) {
var savedBitrate = domStorage.getSavedBitrateSettings(type);
if (!bitrateDict.hasOwnProperty(type)) {
if (ratioDict.hasOwnProperty(type)) {
var manifest = manifestModel.getValue();
var representation = dashManifestModel.getAdaptationForType(manifest, 0, type).Representation;
if (Array.isArray(representation)) {
var repIdx = Math.max(Math.round(representation.length * ratioDict[type]) - 1, 0);
bitrateDict[type] = representation[repIdx].bandwidth;
} else {
bitrateDict[type] = 0;
}
} else if (!isNaN(savedBitrate)) {
bitrateDict[type] = savedBitrate;
} else {
bitrateDict[type] = type === _constantsConstants2['default'].VIDEO ? DEFAULT_VIDEO_BITRATE : DEFAULT_AUDIO_BITRATE;
}
}
return bitrateDict[type];
}
/**
* @param {string} type
* @param {number} value A value of the initial bitrate, kbps
* @memberof AbrController#
*/
function setInitialBitrateFor(type, value) {
bitrateDict[type] = value;
}
function getInitialRepresentationRatioFor(type) {
if (!ratioDict.hasOwnProperty(type)) {
return null;
}
return ratioDict[type];
}
function setInitialRepresentationRatioFor(type, value) {
ratioDict[type] = value;
}
function getMaxAllowedBitrateFor(type) {
if (bitrateDict.hasOwnProperty('max') && bitrateDict.max.hasOwnProperty(type)) {
return bitrateDict.max[type];
}
return NaN;
}
function getMinAllowedBitrateFor(type) {
if (bitrateDict.hasOwnProperty('min') && bitrateDict.min.hasOwnProperty(type)) {
return bitrateDict.min[type];
}
return NaN;
}
//TODO change bitrateDict structure to hold one object for video and audio with initial and max values internal.
// This means you need to update all the logic around initial bitrate DOMStorage, RebController etc...
function setMaxAllowedBitrateFor(type, value) {
bitrateDict.max = bitrateDict.max || {};
bitrateDict.max[type] = value;
}
function setMinAllowedBitrateFor(type, value) {
bitrateDict.min = bitrateDict.min || {};
bitrateDict.min[type] = value;
}
function getMaxAllowedIndexFor(type) {
var maxBitrate = getMaxAllowedBitrateFor(type);
if (maxBitrate) {
return getQualityForBitrate(streamProcessorDict[type].getMediaInfo(), maxBitrate);
} else {
return undefined;
}
}
function getMinAllowedIndexFor(type) {
var minBitrate = getMinAllowedBitrateFor(type);
if (minBitrate) {
var bitrateList = getBitrateList(streamProcessorDict[type].getMediaInfo());
// This returns the quality index <= for the given bitrate
var minIdx = getQualityForBitrate(streamProcessorDict[type].getMediaInfo(), minBitrate);
if (bitrateList[minIdx] && minIdx < bitrateList.length - 1 && bitrateList[minIdx].bitrate < minBitrate * 1000) {
minIdx++; // Go to the next bitrate
}
return minIdx;
} else {
return undefined;
}
}
function getMaxAllowedRepresentationRatioFor(type) {
if (ratioDict.hasOwnProperty('max') && ratioDict.max.hasOwnProperty(type)) {
return ratioDict.max[type];
}
return 1;
}
function setMaxAllowedRepresentationRatioFor(type, value) {
ratioDict.max = ratioDict.max || {};
ratioDict.max[type] = value;
}
function getAutoSwitchBitrateFor(type) {
return autoSwitchBitrate[type];
}
function setAutoSwitchBitrateFor(type, value) {
autoSwitchBitrate[type] = value;
}
function getLimitBitrateByPortal() {
return limitBitrateByPortal;
}
function setLimitBitrateByPortal(value) {
limitBitrateByPortal = value;
}
function getUsePixelRatioInLimitBitrateByPortal() {
return usePixelRatioInLimitBitrateByPortal;
}
function setUsePixelRatioInLimitBitrateByPortal(value) {
usePixelRatioInLimitBitrateByPortal = value;
}
function getUseDeadTimeLatency() {
return useDeadTimeLatency;
}
function setUseDeadTimeLatency(value) {
useDeadTimeLatency = value;
}
function checkPlaybackQuality(type) {
if (type && streamProcessorDict && streamProcessorDict[type]) {
var streamInfo = streamProcessorDict[type].getStreamInfo();
var streamId = streamInfo ? streamInfo.id : null;
var oldQuality = getQualityFor(type);
var rulesContext = (0, _rulesRulesContext2['default'])(context).create({
abrController: instance,
streamProcessor: streamProcessorDict[type],
currentValue: oldQuality,
switchHistory: switchHistoryDict[type],
droppedFramesHistory: droppedFramesHistory,
useBufferOccupancyABR: useBufferOccupancyABR(type)
});
if (droppedFramesHistory) {
var playbackQuality = videoModel.getPlaybackQuality();
if (playbackQuality) {
droppedFramesHistory.push(playbackIndex, playbackQuality);
}
}
if (getAutoSwitchBitrateFor(type)) {
var minIdx = getMinAllowedIndexFor(type);
var topQualityIdx = getTopQualityIndexFor(type, streamId);
var switchRequest = abrRulesCollection.getMaxQuality(rulesContext);
var newQuality = switchRequest.quality;
if (minIdx !== undefined && newQuality < minIdx) {
newQuality = minIdx;
}
if (newQuality > topQualityIdx) {
newQuality = topQualityIdx;
}
switchHistoryDict[type].push({ oldValue: oldQuality, newValue: newQuality });
if (newQuality > _rulesSwitchRequest2['default'].NO_CHANGE && newQuality != oldQuality) {
if (abandonmentStateDict[type].state === ALLOW_LOAD || newQuality > oldQuality) {
changeQuality(type, oldQuality, newQuality, topQualityIdx, switchRequest.reason);
}
} else if (debug.getLogToBrowserConsole()) {
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(type));
logger.debug('AbrController (' + type + ') stay on ' + oldQuality + '/' + topQualityIdx + ' (buffer: ' + bufferLevel + ')');
}
}
}
}
function setPlaybackQuality(type, streamInfo, newQuality, reason) {
var id = streamInfo.id;
var oldQuality = getQualityFor(type);
var isInt = newQuality !== null && !isNaN(newQuality) && newQuality % 1 === 0;
if (!isInt) throw new Error('argument is not an integer');
var topQualityIdx = getTopQualityIndexFor(type, id);
if (newQuality !== oldQuality && newQuality >= 0 && newQuality <= topQualityIdx) {
changeQuality(type, oldQuality, newQuality, topQualityIdx, reason);
}
}
function changeQuality(type, oldQuality, newQuality, topQualityIdx, reason) {
if (type && streamProcessorDict[type]) {
var streamInfo = streamProcessorDict[type].getStreamInfo();
var id = streamInfo ? streamInfo.id : null;
if (debug.getLogToBrowserConsole()) {
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(type));
logger.info('AbrController (' + type + ') switch from ' + oldQuality + ' to ' + newQuality + '/' + topQualityIdx + ' (buffer: ' + bufferLevel + ') ' + (reason ? JSON.stringify(reason) : '.'));
}
setQualityFor(type, id, newQuality);
eventBus.trigger(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, { mediaType: type, streamInfo: streamInfo, oldQuality: oldQuality, newQuality: newQuality, reason: reason });
}
}
function setAbandonmentStateFor(type, state) {
abandonmentStateDict[type].state = state;
}
function getAbandonmentStateFor(type) {
return abandonmentStateDict[type] ? abandonmentStateDict[type].state : null;
}
/**
* @param {MediaInfo} mediaInfo
* @param {number} bitrate A bitrate value, kbps
* @param {number} latency Expected latency of connection, ms
* @returns {number} A quality index <= for the given bitrate
* @memberof AbrController#
*/
function getQualityForBitrate(mediaInfo, bitrate, latency) {
if (useDeadTimeLatency && latency && streamProcessorDict[mediaInfo.type].getCurrentRepresentationInfo() && streamProcessorDict[mediaInfo.type].getCurrentRepresentationInfo().fragmentDuration) {
latency = latency / 1000;
var fragmentDuration = streamProcessorDict[mediaInfo.type].getCurrentRepresentationInfo().fragmentDuration;
if (latency > fragmentDuration) {
return 0;
} else {
var deadTimeRatio = latency / fragmentDuration;
bitrate = bitrate * (1 - deadTimeRatio);
}
}
var bitrateList = getBitrateList(mediaInfo);
if (!bitrateList || bitrateList.length === 0) {
return QUALITY_DEFAULT;
}
for (var i = bitrateList.length - 1; i >= 0; i--) {
var bitrateInfo = bitrateList[i];
if (bitrate * 1000 >= bitrateInfo.bitrate) {
return i;
}
}
return 0;
}
/**
* @param {MediaInfo} mediaInfo
* @returns {Array|null} A list of {@link BitrateInfo} objects
* @memberof AbrController#
*/
function getBitrateList(mediaInfo) {
if (!mediaInfo || !mediaInfo.bitrateList) return null;
var bitrateList = mediaInfo.bitrateList;
var type = mediaInfo.type;
var infoList = [];
var bitrateInfo = undefined;
for (var i = 0, ln = bitrateList.length; i < ln; i++) {
bitrateInfo = new _voBitrateInfo2['default']();
bitrateInfo.mediaType = type;
bitrateInfo.qualityIndex = i;
bitrateInfo.bitrate = bitrateList[i].bandwidth;
bitrateInfo.width = bitrateList[i].width;
bitrateInfo.height = bitrateList[i].height;
bitrateInfo.scanType = bitrateList[i].scanType;
infoList.push(bitrateInfo);
}
return infoList;
}
function updateIsUsingBufferOccupancyABR(mediaType, bufferLevel) {
var strategy = mediaPlayerModel.getABRStrategy();
if (strategy === _constantsConstants2['default'].ABR_STRATEGY_BOLA) {
isUsingBufferOccupancyABRDict[mediaType] = true;
return;
} else if (strategy === _constantsConstants2['default'].ABR_STRATEGY_THROUGHPUT) {
isUsingBufferOccupancyABRDict[mediaType] = false;
return;
}
// else ABR_STRATEGY_DYNAMIC
var stableBufferTime = mediaPlayerModel.getStableBufferTime();
var switchOnThreshold = stableBufferTime;
var switchOffThreshold = 0.5 * stableBufferTime;
var useBufferABR = isUsingBufferOccupancyABRDict[mediaType];
var newUseBufferABR = bufferLevel > (useBufferABR ? switchOffThreshold : switchOnThreshold); // use hysteresis to avoid oscillating rules
isUsingBufferOccupancyABRDict[mediaType] = newUseBufferABR;
if (newUseBufferABR !== useBufferABR) {
if (newUseBufferABR) {
logger.info('AbrController (' + mediaType + ') switching from throughput to buffer occupancy ABR rule (buffer: ' + bufferLevel.toFixed(3) + ').');
} else {
logger.info('AbrController (' + mediaType + ') switching from buffer occupancy to throughput ABR rule (buffer: ' + bufferLevel.toFixed(3) + ').');
}
}
}
function useBufferOccupancyABR(mediaType) {
return isUsingBufferOccupancyABRDict[mediaType];
}
function getThroughputHistory() {
return throughputHistory;
}
function updateTopQualityIndex(mediaInfo) {
var type = mediaInfo.type;
var streamId = mediaInfo.streamInfo.id;
var max = mediaInfo.representationCount - 1;
setTopQualityIndex(type, streamId, max);
return max;
}
function isPlayingAtTopQuality(streamInfo) {
var streamId = streamInfo.id;
var audioQuality = getQualityFor(_constantsConstants2['default'].AUDIO);
var videoQuality = getQualityFor(_constantsConstants2['default'].VIDEO);
var isAtTop = audioQuality === getTopQualityIndexFor(_constantsConstants2['default'].AUDIO, streamId) && videoQuality === getTopQualityIndexFor(_constantsConstants2['default'].VIDEO, streamId);
return isAtTop;
}
function getQualityFor(type) {
if (type && streamProcessorDict[type]) {
var streamInfo = streamProcessorDict[type].getStreamInfo();
var id = streamInfo ? streamInfo.id : null;
var quality = undefined;
if (id) {
qualityDict[id] = qualityDict[id] || {};
if (!qualityDict[id].hasOwnProperty(type)) {
qualityDict[id][type] = QUALITY_DEFAULT;
}
quality = qualityDict[id][type];
return quality;
}
}
return QUALITY_DEFAULT;
}
function setQualityFor(type, id, value) {
qualityDict[id] = qualityDict[id] || {};
qualityDict[id][type] = value;
}
function setTopQualityIndex(type, id, value) {
topQualities[id] = topQualities[id] || {};
topQualities[id][type] = value;
}
function checkMaxBitrate(idx, type) {
var newIdx = idx;
if (!streamProcessorDict[type]) {
return newIdx;
}
var minIdx = getMinAllowedIndexFor(type);
if (minIdx !== undefined) {
newIdx = Math.max(idx, minIdx);
}
var maxIdx = getMaxAllowedIndexFor(type);
if (maxIdx !== undefined) {
newIdx = Math.min(newIdx, maxIdx);
}
return newIdx;
}
function checkMaxRepresentationRatio(idx, type, maxIdx) {
var maxRepresentationRatio = getMaxAllowedRepresentationRatioFor(type);
if (isNaN(maxRepresentationRatio) || maxRepresentationRatio >= 1 || maxRepresentationRatio < 0) {
return idx;
}
return Math.min(idx, Math.round(maxIdx * maxRepresentationRatio));
}
function setWindowResizeEventCalled(value) {
windowResizeEventCalled = value;
}
function setElementSize() {
if (videoModel) {
var hasPixelRatio = usePixelRatioInLimitBitrateByPortal && window.hasOwnProperty('devicePixelRatio');
var pixelRatio = hasPixelRatio ? window.devicePixelRatio : 1;
elementWidth = videoModel.getClientWidth() * pixelRatio;
elementHeight = videoModel.getClientHeight() * pixelRatio;
}
}
function checkPortalSize(idx, type) {
if (type !== _constantsConstants2['default'].VIDEO || !limitBitrateByPortal || !streamProcessorDict[type]) {
return idx;
}
if (!windowResizeEventCalled) {
setElementSize();
}
var manifest = manifestModel.getValue();
var representation = dashManifestModel.getAdaptationForType(manifest, 0, type).Representation;
var newIdx = idx;
if (elementWidth > 0 && elementHeight > 0) {
while (newIdx > 0 && representation[newIdx] && elementWidth < representation[newIdx].width && elementWidth - representation[newIdx - 1].width < representation[newIdx].width - elementWidth) {
newIdx = newIdx - 1;
}
if (representation.length - 2 >= newIdx && representation[newIdx].width === representation[newIdx + 1].width) {
newIdx = Math.min(idx, newIdx + 1);
}
}
return newIdx;
}
function onFragmentLoadProgress(e) {
var type = e.request.mediaType;
if (getAutoSwitchBitrateFor(type)) {
var streamProcessor = streamProcessorDict[type];
if (!streamProcessor) return; // There may be a fragment load in progress when we switch periods and recreated some controllers.
var rulesContext = (0, _rulesRulesContext2['default'])(context).create({
abrController: instance,
streamProcessor: streamProcessor,
currentRequest: e.request,
useBufferOccupancyABR: useBufferOccupancyABR(type)
});
var switchRequest = abrRulesCollection.shouldAbandonFragment(rulesContext);
if (switchRequest.quality > _rulesSwitchRequest2['default'].NO_CHANGE) {
var fragmentModel = streamProcessor.getFragmentModel();
var request = fragmentModel.getRequests({ state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_LOADING, index: e.request.index })[0];
if (request) {
//TODO Check if we should abort or if better to finish download. check bytesLoaded/Total
fragmentModel.abortRequests();
setAbandonmentStateFor(type, ABANDON_LOAD);
switchHistoryDict[type].reset();
switchHistoryDict[type].push({ oldValue: getQualityFor(type, streamController.getActiveStreamInfo()), newValue: switchRequest.quality, confidence: 1, reason: switchRequest.reason });
setPlaybackQuality(type, streamController.getActiveStreamInfo(), switchRequest.quality, switchRequest.reason);
clearTimeout(abandonmentTimeout);
abandonmentTimeout = setTimeout(function () {
setAbandonmentStateFor(type, ALLOW_LOAD);abandonmentTimeout = null;
}, mediaPlayerModel.getAbandonLoadTimeout());
}
}
}
}
instance = {
isPlayingAtTopQuality: isPlayingAtTopQuality,
updateTopQualityIndex: updateTopQualityIndex,
getThroughputHistory: getThroughputHistory,
getBitrateList: getBitrateList,
getQualityForBitrate: getQualityForBitrate,
getMaxAllowedBitrateFor: getMaxAllowedBitrateFor,
getTopBitrateInfoFor: getTopBitrateInfoFor,
getMinAllowedBitrateFor: getMinAllowedBitrateFor,
setMaxAllowedBitrateFor: setMaxAllowedBitrateFor,
setMinAllowedBitrateFor: setMinAllowedBitrateFor,
getMaxAllowedIndexFor: getMaxAllowedIndexFor,
getMinAllowedIndexFor: getMinAllowedIndexFor,
getMaxAllowedRepresentationRatioFor: getMaxAllowedRepresentationRatioFor,
setMaxAllowedRepresentationRatioFor: setMaxAllowedRepresentationRatioFor,
getInitialBitrateFor: getInitialBitrateFor,
setInitialBitrateFor: setInitialBitrateFor,
getInitialRepresentationRatioFor: getInitialRepresentationRatioFor,
setInitialRepresentationRatioFor: setInitialRepresentationRatioFor,
setAutoSwitchBitrateFor: setAutoSwitchBitrateFor,
getAutoSwitchBitrateFor: getAutoSwitchBitrateFor,
getUseDeadTimeLatency: getUseDeadTimeLatency,
setUseDeadTimeLatency: setUseDeadTimeLatency,
setLimitBitrateByPortal: setLimitBitrateByPortal,
getLimitBitrateByPortal: getLimitBitrateByPortal,
getUsePixelRatioInLimitBitrateByPortal: getUsePixelRatioInLimitBitrateByPortal,
setUsePixelRatioInLimitBitrateByPortal: setUsePixelRatioInLimitBitrateByPortal,
getQualityFor: getQualityFor,
getAbandonmentStateFor: getAbandonmentStateFor,
setPlaybackQuality: setPlaybackQuality,
checkPlaybackQuality: checkPlaybackQuality,
getTopQualityIndexFor: getTopQualityIndexFor,
setElementSize: setElementSize,
setWindowResizeEventCalled: setWindowResizeEventCalled,
createAbrRulesCollection: createAbrRulesCollection,
registerStreamType: registerStreamType,
unRegisterStreamType: unRegisterStreamType,
setConfig: setConfig,
reset: reset
};
setup();
return instance;
}
AbrController.__dashjs_factory_name = 'AbrController';
var factory = _coreFactoryMaker2['default'].getSingletonFactory(AbrController);
factory.ABANDON_LOAD = ABANDON_LOAD;
factory.QUALITY_DEFAULT = QUALITY_DEFAULT;
_coreFactoryMaker2['default'].updateSingletonFactory(AbrController.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"114":114,"123":123,"124":124,"125":125,"126":126,"127":127,"128":128,"162":162,"183":183,"45":45,"46":46,"47":47,"50":50,"98":98,"99":99}],101:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _modelsBaseURLTreeModel = _dereq_(113);
var _modelsBaseURLTreeModel2 = _interopRequireDefault(_modelsBaseURLTreeModel);
var _utilsBaseURLSelector = _dereq_(145);
var _utilsBaseURLSelector2 = _interopRequireDefault(_utilsBaseURLSelector);
var _utilsURLUtils = _dereq_(158);
var _utilsURLUtils2 = _interopRequireDefault(_utilsURLUtils);
var _dashVoBaseURL = _dereq_(80);
var _dashVoBaseURL2 = _interopRequireDefault(_dashVoBaseURL);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
function BaseURLController() {
var instance = undefined;
var dashManifestModel = undefined;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var urlUtils = (0, _utilsURLUtils2['default'])(context).getInstance();
var baseURLTreeModel = undefined,
baseURLSelector = undefined;
function onBlackListChanged(e) {
baseURLTreeModel.invalidateSelectedIndexes(e.entry);
}
function setup() {
baseURLTreeModel = (0, _modelsBaseURLTreeModel2['default'])(context).create();
baseURLSelector = (0, _utilsBaseURLSelector2['default'])(context).create();
eventBus.on(_coreEventsEvents2['default'].SERVICE_LOCATION_BLACKLIST_CHANGED, onBlackListChanged, instance);
}
function setConfig(config) {
if (config.baseURLTreeModel) {
baseURLTreeModel = config.baseURLTreeModel;
}
if (config.baseURLSelector) {
baseURLSelector = config.baseURLSelector;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
}
function update(manifest) {
baseURLTreeModel.update(manifest);
baseURLSelector.chooseSelectorFromManifest(manifest);
}
function resolve(path) {
var baseUrls = baseURLTreeModel.getForPath(path);
var baseUrl = baseUrls.reduce(function (p, c) {
var b = baseURLSelector.select(c);
if (b) {
if (!urlUtils.isRelative(b.url)) {
p.url = b.url;
p.serviceLocation = b.serviceLocation;
} else {
p.url = urlUtils.resolve(b.url, p.url);
}
p.availabilityTimeOffset = b.availabilityTimeOffset;
p.availabilityTimeComplete = b.availabilityTimeComplete;
} else {
return new _dashVoBaseURL2['default']();
}
return p;
}, new _dashVoBaseURL2['default']());
if (!urlUtils.isRelative(baseUrl.url)) {
return baseUrl;
}
}
function reset() {
baseURLTreeModel.reset();
baseURLSelector.reset();
}
function initialize(data) {
// report config to baseURLTreeModel and baseURLSelector
baseURLTreeModel.setConfig({
dashManifestModel: dashManifestModel
});
baseURLSelector.setConfig({
dashManifestModel: dashManifestModel
});
update(data);
}
instance = {
reset: reset,
initialize: initialize,
resolve: resolve,
setConfig: setConfig
};
setup();
return instance;
}
BaseURLController.__dashjs_factory_name = 'BaseURLController';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(BaseURLController);
module.exports = exports['default'];
},{"113":113,"145":145,"158":158,"46":46,"47":47,"50":50,"80":80}],102:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
function BlackListController(config) {
config = config || {};
var blacklist = [];
var eventBus = (0, _coreEventBus2['default'])(this.context).getInstance();
var updateEventName = config.updateEventName;
var addBlacklistEventName = config.addBlacklistEventName;
function contains(query) {
if (!blacklist.length || !query || !query.length) {
return false;
}
return blacklist.indexOf(query) !== -1;
}
function add(entry) {
if (blacklist.indexOf(entry) !== -1) {
return;
}
blacklist.push(entry);
eventBus.trigger(updateEventName, {
entry: entry
});
}
function onAddBlackList(e) {
add(e.entry);
}
function setup() {
if (addBlacklistEventName) {
eventBus.on(addBlacklistEventName, onAddBlackList, this);
}
}
function reset() {
blacklist = [];
}
setup();
return {
add: add,
contains: contains,
reset: reset
};
}
BlackListController.__dashjs_factory_name = 'BlackListController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(BlackListController);
module.exports = exports['default'];
},{"46":46,"47":47}],103:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _modelsFragmentModel = _dereq_(114);
var _modelsFragmentModel2 = _interopRequireDefault(_modelsFragmentModel);
var _SourceBufferSink = _dereq_(94);
var _SourceBufferSink2 = _interopRequireDefault(_SourceBufferSink);
var _PreBufferSink = _dereq_(93);
var _PreBufferSink2 = _interopRequireDefault(_PreBufferSink);
var _AbrController = _dereq_(100);
var _AbrController2 = _interopRequireDefault(_AbrController);
var _MediaController = _dereq_(106);
var _MediaController2 = _interopRequireDefault(_MediaController);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _utilsBoxParser = _dereq_(146);
var _utilsBoxParser2 = _interopRequireDefault(_utilsBoxParser);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _utilsInitCache = _dereq_(152);
var _utilsInitCache2 = _interopRequireDefault(_utilsInitCache);
var _voMetricsHTTPRequest = _dereq_(183);
var BUFFER_LOADED = 'bufferLoaded';
var BUFFER_EMPTY = 'bufferStalled';
var STALL_THRESHOLD = 0.5;
var BUFFER_END_THRESHOLD = 0.5;
var BUFFER_RANGE_CALCULATION_THRESHOLD = 0.01;
var QUOTA_EXCEEDED_ERROR_CODE = 22;
var BUFFER_CONTROLLER_TYPE = 'BufferController';
function BufferController(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var metricsModel = config.metricsModel;
var mediaPlayerModel = config.mediaPlayerModel;
var errHandler = config.errHandler;
var streamController = config.streamController;
var mediaController = config.mediaController;
var adapter = config.adapter;
var textController = config.textController;
var abrController = config.abrController;
var playbackController = config.playbackController;
var type = config.type;
var streamProcessor = config.streamProcessor;
var instance = undefined,
logger = undefined,
requiredQuality = undefined,
isBufferingCompleted = undefined,
bufferLevel = undefined,
criticalBufferLevel = undefined,
mediaSource = undefined,
maxAppendedIndex = undefined,
lastIndex = undefined,
buffer = undefined,
dischargeBuffer = undefined,
bufferState = undefined,
appendedBytesInfo = undefined,
wallclockTicked = undefined,
isPruningInProgress = undefined,
initCache = undefined,
seekStartTime = undefined,
seekClearedBufferingCompleted = undefined,
pendingPruningRanges = undefined,
bufferResetInProgress = undefined,
mediaChunk = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
initCache = (0, _utilsInitCache2['default'])(context).getInstance();
resetInitialSettings();
}
function getBufferControllerType() {
return BUFFER_CONTROLLER_TYPE;
}
function initialize(Source) {
setMediaSource(Source);
requiredQuality = abrController.getQualityFor(type, streamProcessor.getStreamInfo());
eventBus.on(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, this);
eventBus.on(_coreEventsEvents2['default'].INIT_FRAGMENT_LOADED, onInitFragmentLoaded, this);
eventBus.on(_coreEventsEvents2['default'].MEDIA_FRAGMENT_LOADED, onMediaFragmentLoaded, this);
eventBus.on(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChanged, this);
eventBus.on(_coreEventsEvents2['default'].STREAM_COMPLETED, onStreamCompleted, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_PLAYING, onPlaybackPlaying, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_PROGRESS, onPlaybackProgression, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackProgression, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_RATE_CHANGED, onPlaybackRateChanged, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_SEEKED, onPlaybackSeeked, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_STALLED, onPlaybackStalled, this);
eventBus.on(_coreEventsEvents2['default'].WALLCLOCK_TIME_UPDATED, onWallclockTimeUpdated, this);
eventBus.on(_coreEventsEvents2['default'].CURRENT_TRACK_CHANGED, onCurrentTrackChanged, this, _coreEventBus2['default'].EVENT_PRIORITY_HIGH);
eventBus.on(_coreEventsEvents2['default'].SOURCEBUFFER_REMOVE_COMPLETED, onRemoved, this);
}
function createBuffer(mediaInfo, oldBuffers) {
if (!initCache || !mediaInfo || !streamProcessor) return null;
if (mediaSource) {
try {
if (oldBuffers && oldBuffers[type]) {
buffer = (0, _SourceBufferSink2['default'])(context).create(mediaSource, mediaInfo, onAppended.bind(this), oldBuffers[type]);
} else {
buffer = (0, _SourceBufferSink2['default'])(context).create(mediaSource, mediaInfo, onAppended.bind(this));
}
if (typeof buffer.getBuffer().initialize === 'function') {
buffer.getBuffer().initialize(type, streamProcessor);
}
} catch (e) {
logger.fatal('Caught error on create SourceBuffer: ' + e);
errHandler.mediaSourceError('Error creating ' + type + ' source buffer.');
}
} else {
buffer = (0, _PreBufferSink2['default'])(context).create(onAppended.bind(this));
}
updateBufferTimestampOffset(streamProcessor.getRepresentationInfoForQuality(requiredQuality).MSETimeOffset);
return buffer;
}
function dischargePreBuffer() {
if (buffer && dischargeBuffer && typeof dischargeBuffer.discharge === 'function') {
var ranges = dischargeBuffer.getAllBufferRanges();
if (ranges.length > 0) {
var rangeStr = 'Beginning ' + type + 'PreBuffer discharge, adding buffer for:';
for (var i = 0; i < ranges.length; i++) {
rangeStr += ' start: ' + ranges.start(i) + ', end: ' + ranges.end(i) + ';';
}
logger.debug(rangeStr);
} else {
logger.debug('PreBuffer discharge requested, but there were no media segments in the PreBuffer.');
}
var chunks = dischargeBuffer.discharge();
var lastInit = null;
for (var j = 0; j < chunks.length; j++) {
var chunk = chunks[j];
var initChunk = initCache.extract(chunk.streamId, chunk.representationId);
if (initChunk) {
if (lastInit !== initChunk) {
buffer.append(initChunk);
lastInit = initChunk;
}
buffer.append(chunk); //TODO Think about supressing buffer events the second time round after a discharge?
}
}
dischargeBuffer.reset();
dischargeBuffer = null;
}
}
function isActive() {
return streamProcessor && streamController && streamProcessor.getStreamInfo();
}
function onInitFragmentLoaded(e) {
if (e.fragmentModel !== streamProcessor.getFragmentModel()) return;
logger.info('Init fragment finished loading saving to', type + '\'s init cache');
initCache.save(e.chunk);
logger.debug('Append Init fragment', type, ' with representationId:', e.chunk.representationId, ' and quality:', e.chunk.quality);
appendToBuffer(e.chunk);
}
function switchInitData(streamId, representationId, bufferResetEnabled) {
var chunk = initCache.extract(streamId, representationId);
bufferResetInProgress = bufferResetEnabled === true ? bufferResetEnabled : false;
if (chunk) {
logger.info('Append Init fragment', type, ' with representationId:', chunk.representationId, ' and quality:', chunk.quality);
appendToBuffer(chunk);
} else {
eventBus.trigger(_coreEventsEvents2['default'].INIT_REQUESTED, { sender: instance });
}
}
function onMediaFragmentLoaded(e) {
if (e.fragmentModel !== streamProcessor.getFragmentModel()) return;
var chunk = e.chunk;
var bytes = chunk.bytes;
var quality = chunk.quality;
var currentRepresentation = streamProcessor.getRepresentationInfoForQuality(quality);
var eventStreamMedia = adapter.getEventsFor(currentRepresentation.mediaInfo, streamProcessor);
var eventStreamTrack = adapter.getEventsFor(currentRepresentation, streamProcessor);
if (eventStreamMedia && eventStreamMedia.length > 0 || eventStreamTrack && eventStreamTrack.length > 0) {
var request = streamProcessor.getFragmentModel().getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
quality: quality,
index: chunk.index
})[0];
var events = handleInbandEvents(bytes, request, eventStreamMedia, eventStreamTrack);
streamProcessor.getEventController().addInbandEvents(events);
}
if (bufferResetInProgress) {
mediaChunk = chunk;
var ranges = buffer && buffer.getAllBufferRanges();
if (ranges && ranges.length > 0 && playbackController.getTimeToStreamEnd() > STALL_THRESHOLD) {
logger.debug('Clearing buffer because track changed - ' + (ranges.end(ranges.length - 1) + BUFFER_END_THRESHOLD));
clearBuffers([{
start: 0,
end: ranges.end(ranges.length - 1) + BUFFER_END_THRESHOLD,
force: true // Force buffer removal even when buffering is completed and MediaSource is ended
}]);
}
} else {
appendToBuffer(chunk);
}
}
function appendToBuffer(chunk) {
buffer.append(chunk);
if (chunk.mediaInfo.type === _constantsConstants2['default'].VIDEO) {
eventBus.trigger(_coreEventsEvents2['default'].VIDEO_CHUNK_RECEIVED, { chunk: chunk });
}
}
function showBufferRanges(ranges) {
if (ranges && ranges.length > 0) {
for (var i = 0, len = ranges.length; i < len; i++) {
logger.debug('Buffered Range for type:', type, ':', ranges.start(i), ' - ', ranges.end(i), ' currentTime = ', playbackController.getTime());
}
}
}
function onAppended(e) {
if (e.error) {
if (e.error.code === QUOTA_EXCEEDED_ERROR_CODE) {
criticalBufferLevel = getTotalBufferedTime() * 0.8;
logger.warn('Quota exceeded for type: ' + type + ', Critical Buffer: ' + criticalBufferLevel);
if (criticalBufferLevel > 0) {
// recalculate buffer lengths to keep (bufferToKeep, bufferAheadToKeep, bufferTimeAtTopQuality) according to criticalBufferLevel
var bufferToKeep = Math.max(0.2 * criticalBufferLevel, 1);
var bufferAhead = criticalBufferLevel - bufferToKeep;
mediaPlayerModel.setBufferToKeep(parseFloat(bufferToKeep).toFixed(5));
mediaPlayerModel.setBufferAheadToKeep(parseFloat(bufferAhead).toFixed(5));
}
}
if (e.error.code === QUOTA_EXCEEDED_ERROR_CODE || !hasEnoughSpaceToAppend()) {
logger.warn('Clearing playback buffer to overcome quota exceed situation for type: ' + type);
eventBus.trigger(_coreEventsEvents2['default'].QUOTA_EXCEEDED, { sender: instance, criticalBufferLevel: criticalBufferLevel }); //Tells ScheduleController to stop scheduling.
pruneAllSafely(); // Then we clear the buffer and onCleared event will tell ScheduleController to start scheduling again.
}
return;
}
appendedBytesInfo = e.chunk;
if (appendedBytesInfo && !isNaN(appendedBytesInfo.index)) {
maxAppendedIndex = Math.max(appendedBytesInfo.index, maxAppendedIndex);
checkIfBufferingCompleted();
}
var ranges = buffer.getAllBufferRanges();
if (appendedBytesInfo.segmentType === _voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE) {
showBufferRanges(ranges);
onPlaybackProgression();
} else {
if (bufferResetInProgress) {
var currentTime = playbackController.getTime();
logger.debug('AppendToBuffer seek target should be ' + currentTime);
streamProcessor.getScheduleController().setSeekTarget(currentTime);
adapter.setIndexHandlerTime(streamProcessor, currentTime);
}
}
var dataEvent = {
sender: instance,
quality: appendedBytesInfo.quality,
startTime: appendedBytesInfo.start,
index: appendedBytesInfo.index,
bufferedRanges: ranges
};
if (appendedBytesInfo && !appendedBytesInfo.endFragment) {
eventBus.trigger(_coreEventsEvents2['default'].BYTES_APPENDED, dataEvent);
} else if (appendedBytesInfo) {
eventBus.trigger(_coreEventsEvents2['default'].BYTES_APPENDED_END_FRAGMENT, dataEvent);
}
}
function onQualityChanged(e) {
if (requiredQuality === e.newQuality || type !== e.mediaType || streamProcessor.getStreamInfo().id !== e.streamInfo.id) return;
updateBufferTimestampOffset(streamProcessor.getRepresentationInfoForQuality(e.newQuality).MSETimeOffset);
requiredQuality = e.newQuality;
}
//**********************************************************************
// START Buffer Level, State & Sufficiency Handling.
//**********************************************************************
function onPlaybackSeeking() {
if (isBufferingCompleted) {
seekClearedBufferingCompleted = true;
isBufferingCompleted = false;
//a seek command has occured, reset lastIndex value, it will be set next time that onStreamCompleted will be called.
lastIndex = Number.POSITIVE_INFINITY;
}
if (type !== _constantsConstants2['default'].FRAGMENTED_TEXT) {
// remove buffer after seeking operations
pruneAllSafely();
} else {
onPlaybackProgression();
}
}
function onPlaybackSeeked() {
seekStartTime = undefined;
}
// Prune full buffer but what is around current time position
function pruneAllSafely() {
var ranges = getAllRangesWithSafetyFactor();
if (!ranges || ranges.length === 0) {
onPlaybackProgression();
}
clearBuffers(ranges);
}
// Get all buffer ranges but a range around current time position
function getAllRangesWithSafetyFactor() {
var clearRanges = [];
var ranges = buffer.getAllBufferRanges();
if (!ranges || ranges.length === 0) {
return clearRanges;
}
var currentTime = playbackController.getTime();
var endOfBuffer = ranges.end(ranges.length - 1) + BUFFER_END_THRESHOLD;
var currentTimeRequest = streamProcessor.getFragmentModel().getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
time: currentTime,
threshold: BUFFER_RANGE_CALCULATION_THRESHOLD
})[0];
// There is no request in current time position yet. Let's remove everything
if (!currentTimeRequest) {
logger.debug('getAllRangesWithSafetyFactor for', type, '- No request found in current time position, removing full buffer 0 -', endOfBuffer);
clearRanges.push({
start: 0,
end: endOfBuffer
});
} else {
// Build buffer behind range. To avoid pruning time around current time position,
// we include fragment right behind the one in current time position
var behindRange = {
start: 0,
end: currentTimeRequest.startTime - STALL_THRESHOLD
};
var prevReq = streamProcessor.getFragmentModel().getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
time: currentTimeRequest.startTime - currentTimeRequest.duration / 2,
threshold: BUFFER_RANGE_CALCULATION_THRESHOLD
})[0];
if (prevReq && prevReq.startTime != currentTimeRequest.startTime) {
behindRange.end = prevReq.startTime;
}
if (behindRange.start < behindRange.end && behindRange.end > ranges.start(0)) {
clearRanges.push(behindRange);
}
// Build buffer ahead range. To avoid pruning time around current time position,
// we include fragment right after the one in current time position
var aheadRange = {
start: currentTimeRequest.startTime + currentTimeRequest.duration + STALL_THRESHOLD,
end: endOfBuffer
};
var nextReq = streamProcessor.getFragmentModel().getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
time: currentTimeRequest.startTime + currentTimeRequest.duration + STALL_THRESHOLD,
threshold: BUFFER_RANGE_CALCULATION_THRESHOLD
})[0];
if (nextReq && nextReq.startTime !== currentTimeRequest.startTime) {
aheadRange.start = nextReq.startTime + nextReq.duration + STALL_THRESHOLD;
}
if (aheadRange.start < aheadRange.end && aheadRange.start < endOfBuffer) {
clearRanges.push(aheadRange);
}
}
return clearRanges;
}
function getWorkingTime() {
// This function returns current working time for buffer (either start time or current time if playback has started)
var ret = playbackController.getTime();
if (seekStartTime) {
// if there is a seek start time, the first buffer data will be available on maximum value between first buffer range value and seek start time.
var ranges = buffer.getAllBufferRanges();
if (ranges && ranges.length) {
ret = Math.max(ranges.start(0), seekStartTime);
}
}
return ret;
}
function onPlaybackProgression() {
if (!bufferResetInProgress || type === _constantsConstants2['default'].FRAGMENTED_TEXT && textController.isTextEnabled()) {
updateBufferLevel();
addBufferMetrics();
}
}
function onPlaybackStalled() {
checkIfSufficientBuffer();
}
function onPlaybackPlaying() {
checkIfSufficientBuffer();
}
function getRangeAt(time, tolerance) {
var ranges = buffer.getAllBufferRanges();
var start = 0;
var end = 0;
var firstStart = null;
var lastEnd = null;
var gap = 0;
var len = undefined,
i = undefined;
var toler = tolerance || 0.15;
if (ranges !== null && ranges !== undefined) {
for (i = 0, len = ranges.length; i < len; i++) {
start = ranges.start(i);
end = ranges.end(i);
if (firstStart === null) {
gap = Math.abs(start - time);
if (time >= start && time < end) {
// start the range
firstStart = start;
lastEnd = end;
} else if (gap <= toler) {
// start the range even though the buffer does not contain time 0
firstStart = start;
lastEnd = end;
}
} else {
gap = start - lastEnd;
if (gap <= toler) {
// the discontinuity is smaller than the tolerance, combine the ranges
lastEnd = end;
} else {
break;
}
}
}
if (firstStart !== null) {
return {
start: firstStart,
end: lastEnd
};
}
}
return null;
}
function getBufferLength(time, tolerance) {
var range = undefined,
length = undefined;
range = getRangeAt(time, tolerance);
if (range === null) {
length = 0;
} else {
length = range.end - time;
}
return length;
}
function updateBufferLevel() {
if (playbackController) {
bufferLevel = getBufferLength(getWorkingTime() || 0);
eventBus.trigger(_coreEventsEvents2['default'].BUFFER_LEVEL_UPDATED, { sender: instance, bufferLevel: bufferLevel });
checkIfSufficientBuffer();
}
}
function addBufferMetrics() {
if (!isActive()) return;
metricsModel.addBufferState(type, bufferState, streamProcessor.getScheduleController().getBufferTarget());
metricsModel.addBufferLevel(type, new Date(), bufferLevel * 1000);
}
function checkIfBufferingCompleted() {
var isLastIdxAppended = maxAppendedIndex >= lastIndex - 1; // Handles 0 and non 0 based request index
if (isLastIdxAppended && !isBufferingCompleted && buffer.discharge === undefined) {
isBufferingCompleted = true;
logger.debug('checkIfBufferingCompleted trigger BUFFERING_COMPLETED');
eventBus.trigger(_coreEventsEvents2['default'].BUFFERING_COMPLETED, { sender: instance, streamInfo: streamProcessor.getStreamInfo() });
}
}
function checkIfSufficientBuffer() {
// No need to check buffer if type is not audio or video (for example if several errors occur during text parsing, so that the buffer cannot be filled, no error must occur on video playback)
if (type !== 'audio' && type !== 'video') return;
if (seekClearedBufferingCompleted && !isBufferingCompleted && playbackController && playbackController.getTimeToStreamEnd() - bufferLevel < STALL_THRESHOLD) {
seekClearedBufferingCompleted = false;
isBufferingCompleted = true;
logger.debug('checkIfSufficientBuffer trigger BUFFERING_COMPLETED');
eventBus.trigger(_coreEventsEvents2['default'].BUFFERING_COMPLETED, { sender: instance, streamInfo: streamProcessor.getStreamInfo() });
}
// When the player is working in low latency mode, the buffer is often below STALL_THRESHOLD.
// So, when in low latency mode, change dash.js behavior so it notifies a stall just when
// buffer reach 0 seconds
if ((!mediaPlayerModel.getLowLatencyEnabled() && bufferLevel < STALL_THRESHOLD || bufferLevel === 0) && !isBufferingCompleted) {
notifyBufferStateChanged(BUFFER_EMPTY);
} else {
if (isBufferingCompleted || bufferLevel >= mediaPlayerModel.getStableBufferTime()) {
notifyBufferStateChanged(BUFFER_LOADED);
}
}
}
function notifyBufferStateChanged(state) {
if (bufferState === state || state === BUFFER_EMPTY && playbackController.getTime() === 0 || // Don't trigger BUFFER_EMPTY if it's initial loading
type === _constantsConstants2['default'].FRAGMENTED_TEXT && !textController.isTextEnabled()) {
return;
}
bufferState = state;
addBufferMetrics();
eventBus.trigger(_coreEventsEvents2['default'].BUFFER_LEVEL_STATE_CHANGED, { sender: instance, state: state, mediaType: type, streamInfo: streamProcessor.getStreamInfo() });
eventBus.trigger(state === BUFFER_LOADED ? _coreEventsEvents2['default'].BUFFER_LOADED : _coreEventsEvents2['default'].BUFFER_EMPTY, { mediaType: type });
logger.debug(state === BUFFER_LOADED ? 'Got enough buffer to start for ' + type : 'Waiting for more buffer before starting playback for ' + type);
}
function handleInbandEvents(data, request, mediaInbandEvents, trackInbandEvents) {
var fragmentStartTime = Math.max(!request || isNaN(request.startTime) ? 0 : request.startTime, 0);
var eventStreams = [];
var events = [];
/* Extract the possible schemeIdUri : If a DASH client detects an event message box with a scheme that is not defined in MPD, the client is expected to ignore it */
var inbandEvents = mediaInbandEvents.concat(trackInbandEvents);
for (var i = 0, ln = inbandEvents.length; i < ln; i++) {
eventStreams[inbandEvents[i].schemeIdUri] = inbandEvents[i];
}
var isoFile = (0, _utilsBoxParser2['default'])(context).getInstance().parse(data);
var eventBoxes = isoFile.getBoxes('emsg');
for (var i = 0, ln = eventBoxes.length; i < ln; i++) {
var _event = adapter.getEvent(eventBoxes[i], eventStreams, fragmentStartTime);
if (_event) {
events.push(_event);
}
}
return events;
}
/* prune buffer on our own in background to avoid browsers pruning buffer silently */
function pruneBuffer() {
if (!buffer) return;
if (type === _constantsConstants2['default'].FRAGMENTED_TEXT) return;
if (!isBufferingCompleted) {
clearBuffers(getClearRanges());
}
}
function getClearRanges() {
var clearRanges = [];
var ranges = buffer.getAllBufferRanges();
if (!ranges || ranges.length === 0) {
return clearRanges;
}
var currentTime = playbackController.getTime();
var rangeToKeep = {
start: Math.max(0, currentTime - mediaPlayerModel.getBufferToKeep()),
end: currentTime + mediaPlayerModel.getBufferAheadToKeep()
};
var currentTimeRequest = streamProcessor.getFragmentModel().getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
time: currentTime,
threshold: BUFFER_RANGE_CALCULATION_THRESHOLD
})[0];
// Ensure we keep full range of current fragment
if (currentTimeRequest) {
rangeToKeep.start = Math.min(currentTimeRequest.startTime, rangeToKeep.start);
rangeToKeep.end = Math.max(currentTimeRequest.startTime + currentTimeRequest.duration, rangeToKeep.end);
} else if (currentTime === 0 && playbackController.getIsDynamic()) {
// Don't prune before the live stream starts, it messes with low latency
return [];
}
if (ranges.start(0) <= rangeToKeep.start) {
var behindRange = {
start: 0,
end: rangeToKeep.start
};
for (var i = 0; i < ranges.length && ranges.end(i) <= rangeToKeep.start; i++) {
behindRange.end = ranges.end(i);
}
if (behindRange.start < behindRange.end) {
clearRanges.push(behindRange);
}
}
if (ranges.end(ranges.length - 1) >= rangeToKeep.end) {
var aheadRange = {
start: rangeToKeep.end,
end: ranges.end(ranges.length - 1) + BUFFER_RANGE_CALCULATION_THRESHOLD
};
if (aheadRange.start < aheadRange.end) {
clearRanges.push(aheadRange);
}
}
return clearRanges;
}
function clearBuffers(ranges) {
if (!ranges || !buffer || ranges.length === 0) return;
pendingPruningRanges.push.apply(pendingPruningRanges, ranges);
if (isPruningInProgress) {
return;
}
clearNextRange();
}
function clearNextRange() {
// If there's nothing to prune reset state
if (pendingPruningRanges.length === 0 || !buffer) {
logger.debug('Nothing to prune, halt pruning');
pendingPruningRanges = [];
isPruningInProgress = false;
return;
}
var sourceBuffer = buffer.getBuffer();
// If there's nothing buffered any pruning is invalid, so reset our state
if (!sourceBuffer || !sourceBuffer.buffered || sourceBuffer.buffered.length === 0) {
logger.debug('SourceBuffer is empty (or does not exist), halt pruning');
pendingPruningRanges = [];
isPruningInProgress = false;
return;
}
var range = pendingPruningRanges.shift();
logger.debug('Removing', type, 'buffer from:', range.start, 'to', range.end);
isPruningInProgress = true;
// If removing buffer ahead current playback position, update maxAppendedIndex
var currentTime = playbackController.getTime();
if (currentTime < range.end) {
isBufferingCompleted = false;
maxAppendedIndex = 0;
if (!bufferResetInProgress) {
streamProcessor.getScheduleController().setSeekTarget(currentTime);
adapter.setIndexHandlerTime(streamProcessor, currentTime);
}
}
buffer.remove(range.start, range.end, range.force);
}
function onRemoved(e) {
if (buffer !== e.buffer) return;
logger.debug('onRemoved buffer from:', e.from, 'to', e.to);
var ranges = buffer.getAllBufferRanges();
showBufferRanges(ranges);
if (pendingPruningRanges.length === 0) {
isPruningInProgress = false;
}
if (e.unintended) {
logger.warn('Detected unintended removal from:', e.from, 'to', e.to, 'setting index handler time to', e.from);
adapter.setIndexHandlerTime(streamProcessor, e.from);
}
if (isPruningInProgress) {
clearNextRange();
} else {
if (!bufferResetInProgress) {
logger.debug('onRemoved : call updateBufferLevel');
updateBufferLevel();
} else {
bufferResetInProgress = false;
if (mediaChunk) {
appendToBuffer(mediaChunk);
}
}
eventBus.trigger(_coreEventsEvents2['default'].BUFFER_CLEARED, { sender: instance, from: e.from, to: e.to, unintended: e.unintended, hasEnoughSpaceToAppend: hasEnoughSpaceToAppend() });
}
//TODO - REMEMBER removed a timerout hack calling clearBuffer after manifestInfo.minBufferTime * 1000 if !hasEnoughSpaceToAppend() Aug 04 2016
}
function updateBufferTimestampOffset(MSETimeOffset) {
// Each track can have its own @presentationTimeOffset, so we should set the offset
// if it has changed after switching the quality or updating an mpd
if (buffer && buffer.updateTimestampOffset) {
buffer.updateTimestampOffset(MSETimeOffset);
}
}
function onDataUpdateCompleted(e) {
if (e.sender.getStreamProcessor() !== streamProcessor || e.error) return;
updateBufferTimestampOffset(e.currentRepresentation.MSETimeOffset);
}
function onStreamCompleted(e) {
if (e.fragmentModel !== streamProcessor.getFragmentModel()) return;
lastIndex = e.request.index;
checkIfBufferingCompleted();
}
function onCurrentTrackChanged(e) {
var ranges = buffer && buffer.getAllBufferRanges();
if (!ranges || e.newMediaInfo.type !== type || e.newMediaInfo.streamInfo.id !== streamProcessor.getStreamInfo().id) return;
logger.info('Track change asked');
if (mediaController.getSwitchMode(type) === _MediaController2['default'].TRACK_SWITCH_MODE_ALWAYS_REPLACE) {
if (ranges && ranges.length > 0 && playbackController.getTimeToStreamEnd() > STALL_THRESHOLD) {
isBufferingCompleted = false;
lastIndex = Number.POSITIVE_INFINITY;
}
}
}
function onWallclockTimeUpdated() {
wallclockTicked++;
var secondsElapsed = wallclockTicked * (mediaPlayerModel.getWallclockTimeUpdateInterval() / 1000);
if (secondsElapsed >= mediaPlayerModel.getBufferPruningInterval()) {
wallclockTicked = 0;
pruneBuffer();
}
}
function onPlaybackRateChanged() {
checkIfSufficientBuffer();
}
function getType() {
return type;
}
function getStreamProcessor() {
return streamProcessor;
}
function setSeekStartTime(value) {
seekStartTime = value;
}
function getBuffer() {
return buffer;
}
function setBuffer(newBuffer) {
buffer = newBuffer;
}
function getBufferLevel() {
return bufferLevel;
}
function setMediaSource(value, mediaInfo) {
mediaSource = value;
if (buffer && mediaInfo) {
//if we have a prebuffer, we should prepare to discharge it, and make a new sourceBuffer ready
if (typeof buffer.discharge === 'function') {
dischargeBuffer = buffer;
createBuffer(mediaInfo);
}
}
}
function getMediaSource() {
return mediaSource;
}
function getIsBufferingCompleted() {
return isBufferingCompleted;
}
function getIsPruningInProgress() {
return isPruningInProgress;
}
function getTotalBufferedTime() {
var ranges = buffer.getAllBufferRanges();
var totalBufferedTime = 0;
var ln = undefined,
i = undefined;
if (!ranges) return totalBufferedTime;
for (i = 0, ln = ranges.length; i < ln; i++) {
totalBufferedTime += ranges.end(i) - ranges.start(i);
}
return totalBufferedTime;
}
function hasEnoughSpaceToAppend() {
var totalBufferedTime = getTotalBufferedTime();
return totalBufferedTime < criticalBufferLevel;
}
function resetInitialSettings(errored, keepBuffers) {
criticalBufferLevel = Number.POSITIVE_INFINITY;
bufferState = undefined;
requiredQuality = _AbrController2['default'].QUALITY_DEFAULT;
lastIndex = Number.POSITIVE_INFINITY;
maxAppendedIndex = 0;
appendedBytesInfo = null;
isBufferingCompleted = false;
isPruningInProgress = false;
seekClearedBufferingCompleted = false;
bufferLevel = 0;
wallclockTicked = 0;
pendingPruningRanges = [];
if (buffer) {
if (!errored) {
buffer.abort();
}
buffer.reset(keepBuffers);
buffer = null;
}
bufferResetInProgress = false;
}
function reset(errored, keepBuffers) {
eventBus.off(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, this);
eventBus.off(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChanged, this);
eventBus.off(_coreEventsEvents2['default'].INIT_FRAGMENT_LOADED, onInitFragmentLoaded, this);
eventBus.off(_coreEventsEvents2['default'].MEDIA_FRAGMENT_LOADED, onMediaFragmentLoaded, this);
eventBus.off(_coreEventsEvents2['default'].STREAM_COMPLETED, onStreamCompleted, this);
eventBus.off(_coreEventsEvents2['default'].CURRENT_TRACK_CHANGED, onCurrentTrackChanged, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_PLAYING, onPlaybackPlaying, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_PROGRESS, onPlaybackProgression, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackProgression, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_RATE_CHANGED, onPlaybackRateChanged, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_SEEKED, onPlaybackSeeked, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_STALLED, onPlaybackStalled, this);
eventBus.off(_coreEventsEvents2['default'].WALLCLOCK_TIME_UPDATED, onWallclockTimeUpdated, this);
eventBus.off(_coreEventsEvents2['default'].SOURCEBUFFER_REMOVE_COMPLETED, onRemoved, this);
resetInitialSettings(errored, keepBuffers);
}
instance = {
getBufferControllerType: getBufferControllerType,
initialize: initialize,
createBuffer: createBuffer,
dischargePreBuffer: dischargePreBuffer,
getType: getType,
getStreamProcessor: getStreamProcessor,
setSeekStartTime: setSeekStartTime,
getBuffer: getBuffer,
setBuffer: setBuffer,
getBufferLevel: getBufferLevel,
getRangeAt: getRangeAt,
setMediaSource: setMediaSource,
getMediaSource: getMediaSource,
getIsBufferingCompleted: getIsBufferingCompleted,
switchInitData: switchInitData,
getIsPruningInProgress: getIsPruningInProgress,
reset: reset
};
setup();
return instance;
}
BufferController.__dashjs_factory_name = BUFFER_CONTROLLER_TYPE;
var factory = _coreFactoryMaker2['default'].getClassFactory(BufferController);
factory.BUFFER_LOADED = BUFFER_LOADED;
factory.BUFFER_EMPTY = BUFFER_EMPTY;
_coreFactoryMaker2['default'].updateClassFactory(BufferController.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"100":100,"106":106,"114":114,"146":146,"152":152,"183":183,"45":45,"46":46,"47":47,"50":50,"93":93,"94":94,"98":98}],104:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
function EventController() {
var MPD_RELOAD_SCHEME = 'urn:mpeg:dash:event:2012';
var MPD_RELOAD_VALUE = 1;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
inlineEvents = undefined,
// Holds all Inline Events not triggered yet
inbandEvents = undefined,
// Holds all Inband Events not triggered yet
activeEvents = undefined,
// Holds all Events currently running
eventInterval = undefined,
// variable holding the setInterval
refreshDelay = undefined,
// refreshTime for the setInterval
presentationTimeThreshold = undefined,
manifestModel = undefined,
manifestUpdater = undefined,
playbackController = undefined,
isStarted = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
}
function resetInitialSettings() {
isStarted = false;
inlineEvents = {};
inbandEvents = {};
activeEvents = {};
eventInterval = null;
refreshDelay = 100;
presentationTimeThreshold = refreshDelay / 1000;
}
function checkSetConfigCall() {
if (!manifestModel || !manifestUpdater || !playbackController) {
throw new Error('setConfig function has to be called previously');
}
}
function stop() {
if (eventInterval !== null && isStarted) {
clearInterval(eventInterval);
eventInterval = null;
isStarted = false;
}
}
function start() {
checkSetConfigCall();
logger.debug('Start Event Controller');
if (!isStarted && !isNaN(refreshDelay)) {
isStarted = true;
eventInterval = setInterval(onEventTimer, refreshDelay);
}
}
/**
* Add events to the eventList. Events that are not in the mpd anymore but not triggered yet will still be deleted
* @param {Array.<Object>} values
*/
function addInlineEvents(values) {
checkSetConfigCall();
inlineEvents = {};
if (values) {
for (var i = 0; i < values.length; i++) {
var event = values[i];
inlineEvents[event.id] = event;
logger.debug('Add inline event with id ' + event.id);
}
}
logger.debug('Added ' + values.length + ' inline events');
}
/**
* i.e. processing of any one event message box with the same id is sufficient
* @param {Array.<Object>} values
*/
function addInbandEvents(values) {
checkSetConfigCall();
for (var i = 0; i < values.length; i++) {
var event = values[i];
if (!(event.id in inbandEvents)) {
if (event.eventStream.schemeIdUri === MPD_RELOAD_SCHEME && inbandEvents[event.id] === undefined) {
handleManifestReloadEvent(event);
}
inbandEvents[event.id] = event;
logger.debug('Add inband event with id ' + event.id);
} else {
logger.debug('Repeated event with id ' + event.id);
}
}
}
function handleManifestReloadEvent(event) {
if (event.eventStream.value == MPD_RELOAD_VALUE) {
var timescale = event.eventStream.timescale || 1;
var validUntil = event.presentationTime / timescale;
var newDuration = undefined;
if (event.presentationTime == 0xFFFFFFFF) {
//0xFF... means remaining duration unknown
newDuration = NaN;
} else {
newDuration = (event.presentationTime + event.duration) / timescale;
}
logger.info('Manifest validity changed: Valid until: ' + validUntil + '; remaining duration: ' + newDuration);
eventBus.trigger(_coreEventsEvents2['default'].MANIFEST_VALIDITY_CHANGED, {
id: event.id,
validUntil: validUntil,
newDuration: newDuration,
newManifestValidAfter: NaN //event.message_data - this is an arraybuffer with a timestring in it, but not used yet
});
}
}
/**
* Remove events which are over from the list
*/
function removeEvents() {
if (activeEvents) {
var currentVideoTime = playbackController.getTime();
var eventIds = Object.keys(activeEvents);
for (var i = 0; i < eventIds.length; i++) {
var eventId = eventIds[i];
var curr = activeEvents[eventId];
if (curr !== null && (curr.duration + curr.presentationTime) / curr.eventStream.timescale < currentVideoTime) {
logger.debug('Remove Event ' + eventId + ' at time ' + currentVideoTime);
curr = null;
delete activeEvents[eventId];
}
}
}
}
/**
* Iterate through the eventList and trigger/remove the events
*/
function onEventTimer() {
triggerEvents(inbandEvents);
triggerEvents(inlineEvents);
removeEvents();
}
function refreshManifest() {
checkSetConfigCall();
manifestUpdater.refreshManifest();
}
function triggerEvents(events) {
var currentVideoTime = playbackController.getTime();
var presentationTime;
/* == Trigger events that are ready == */
if (events) {
var eventIds = Object.keys(events);
for (var i = 0; i < eventIds.length; i++) {
var eventId = eventIds[i];
var curr = events[eventId];
if (curr !== undefined) {
presentationTime = curr.presentationTime / curr.eventStream.timescale;
if (presentationTime === 0 || presentationTime <= currentVideoTime && presentationTime + presentationTimeThreshold > currentVideoTime) {
logger.debug('Start Event ' + eventId + ' at ' + currentVideoTime);
if (curr.duration > 0) {
activeEvents[eventId] = curr;
}
if (curr.eventStream.schemeIdUri == MPD_RELOAD_SCHEME && curr.eventStream.value == MPD_RELOAD_VALUE) {
if (curr.duration !== 0 || curr.presentationTimeDelta !== 0) {
//If both are set to zero, it indicates the media is over at this point. Don't reload the manifest.
refreshManifest();
}
} else {
eventBus.trigger(curr.eventStream.schemeIdUri, { event: curr });
}
delete events[eventId];
}
}
}
}
}
function setConfig(config) {
if (!config) return;
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.manifestUpdater) {
manifestUpdater = config.manifestUpdater;
}
if (config.playbackController) {
playbackController = config.playbackController;
}
}
function reset() {
stop();
resetInitialSettings();
}
instance = {
addInlineEvents: addInlineEvents,
addInbandEvents: addInbandEvents,
stop: stop,
start: start,
setConfig: setConfig,
reset: reset
};
setup();
return instance;
}
EventController.__dashjs_factory_name = 'EventController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(EventController);
module.exports = exports['default'];
},{"45":45,"46":46,"47":47,"50":50}],105:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _voMetricsHTTPRequest = _dereq_(183);
var _voDataChunk = _dereq_(164);
var _voDataChunk2 = _interopRequireDefault(_voDataChunk);
var _modelsFragmentModel = _dereq_(114);
var _modelsFragmentModel2 = _interopRequireDefault(_modelsFragmentModel);
var _FragmentLoader = _dereq_(88);
var _FragmentLoader2 = _interopRequireDefault(_FragmentLoader);
var _utilsRequestModifier = _dereq_(156);
var _utilsRequestModifier2 = _interopRequireDefault(_utilsRequestModifier);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function FragmentController(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var errHandler = config.errHandler;
var mediaPlayerModel = config.mediaPlayerModel;
var metricsModel = config.metricsModel;
var instance = undefined,
logger = undefined,
fragmentModels = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].FRAGMENT_LOADING_COMPLETED, onFragmentLoadingCompleted, instance);
eventBus.on(_coreEventsEvents2['default'].FRAGMENT_LOADING_PROGRESS, onFragmentLoadingCompleted, instance);
}
function getModel(type) {
var model = fragmentModels[type];
if (!model) {
model = (0, _modelsFragmentModel2['default'])(context).create({
metricsModel: metricsModel,
fragmentLoader: (0, _FragmentLoader2['default'])(context).create({
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
errHandler: errHandler,
requestModifier: (0, _utilsRequestModifier2['default'])(context).getInstance()
})
});
fragmentModels[type] = model;
}
return model;
}
function isInitializationRequest(request) {
return request && request.type && request.type === _voMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE;
}
function resetInitialSettings() {
for (var model in fragmentModels) {
fragmentModels[model].reset();
}
fragmentModels = {};
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].FRAGMENT_LOADING_COMPLETED, onFragmentLoadingCompleted, this);
eventBus.off(_coreEventsEvents2['default'].FRAGMENT_LOADING_PROGRESS, onFragmentLoadingCompleted, this);
resetInitialSettings();
}
function createDataChunk(bytes, request, streamId, endFragment) {
var chunk = new _voDataChunk2['default']();
chunk.streamId = streamId;
chunk.mediaInfo = request.mediaInfo;
chunk.segmentType = request.type;
chunk.start = request.startTime;
chunk.duration = request.duration;
chunk.end = chunk.start + chunk.duration;
chunk.bytes = bytes;
chunk.index = request.index;
chunk.quality = request.quality;
chunk.representationId = request.representationId;
chunk.endFragment = endFragment;
return chunk;
}
function onFragmentLoadingCompleted(e) {
if (fragmentModels[e.request.mediaType] !== e.sender) {
return;
}
var request = e.request;
var bytes = e.response;
var isInit = isInitializationRequest(request);
var streamInfo = request.mediaInfo.streamInfo;
if (e.error) {
if (e.request.mediaType === _constantsConstants2['default'].AUDIO || e.request.mediaType === _constantsConstants2['default'].VIDEO || e.request.mediaType === _constantsConstants2['default'].FRAGMENTED_TEXT) {
// add service location to blacklist controller - only for audio or video. text should not set errors
eventBus.trigger(_coreEventsEvents2['default'].SERVICE_LOCATION_BLACKLIST_ADD, { entry: e.request.serviceLocation });
}
}
if (!bytes || !streamInfo) {
logger.warn('No ' + request.mediaType + ' bytes to push or stream is inactive.');
return;
}
var chunk = createDataChunk(bytes, request, streamInfo.id, e.type !== _coreEventsEvents2['default'].FRAGMENT_LOADING_PROGRESS);
eventBus.trigger(isInit ? _coreEventsEvents2['default'].INIT_FRAGMENT_LOADED : _coreEventsEvents2['default'].MEDIA_FRAGMENT_LOADED, {
chunk: chunk,
fragmentModel: e.sender
});
}
instance = {
getModel: getModel,
isInitializationRequest: isInitializationRequest,
reset: reset
};
setup();
return instance;
}
FragmentController.__dashjs_factory_name = 'FragmentController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(FragmentController);
module.exports = exports['default'];
},{"114":114,"156":156,"164":164,"183":183,"45":45,"46":46,"47":47,"50":50,"88":88,"98":98}],106:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var TRACK_SWITCH_MODE_NEVER_REPLACE = 'neverReplace';
var TRACK_SWITCH_MODE_ALWAYS_REPLACE = 'alwaysReplace';
var TRACK_SELECTION_MODE_HIGHEST_BITRATE = 'highestBitrate';
var TRACK_SELECTION_MODE_WIDEST_RANGE = 'widestRange';
var DEFAULT_INIT_TRACK_SELECTION_MODE = TRACK_SELECTION_MODE_HIGHEST_BITRATE;
function MediaController() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
tracks = undefined,
initialSettings = undefined,
selectionMode = undefined,
switchMode = undefined,
errHandler = undefined,
domStorage = undefined;
var validTrackSwitchModes = [TRACK_SWITCH_MODE_ALWAYS_REPLACE, TRACK_SWITCH_MODE_NEVER_REPLACE];
var validTrackSelectionModes = [TRACK_SELECTION_MODE_HIGHEST_BITRATE, TRACK_SELECTION_MODE_WIDEST_RANGE];
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
reset();
}
/**
* @param {string} type
* @param {StreamInfo} streamInfo
* @memberof MediaController#
*/
function checkInitialMediaSettingsForType(type, streamInfo) {
var settings = getInitialSettings(type);
var tracksForType = getTracksFor(type, streamInfo);
var tracks = [];
if (type === _constantsConstants2['default'].FRAGMENTED_TEXT) {
// Choose the first track
setTrack(tracksForType[0]);
return;
}
if (!settings) {
settings = domStorage.getSavedMediaSettings(type);
setInitialSettings(type, settings);
}
if (!tracksForType || tracksForType.length === 0) return;
if (settings) {
tracksForType.forEach(function (track) {
if (matchSettings(settings, track)) {
tracks.push(track);
}
});
}
if (tracks.length === 0) {
setTrack(selectInitialTrack(tracksForType));
} else {
if (tracks.length > 1) {
setTrack(selectInitialTrack(tracks));
} else {
setTrack(tracks[0]);
}
}
}
/**
* @param {MediaInfo} track
* @memberof MediaController#
*/
function addTrack(track) {
if (!track) return;
var mediaType = track.type;
if (!isMultiTrackSupportedByType(mediaType)) return;
var streamId = track.streamInfo.id;
if (!tracks[streamId]) {
tracks[streamId] = createTrackInfo();
}
var mediaTracks = tracks[streamId][mediaType].list;
for (var i = 0, len = mediaTracks.length; i < len; ++i) {
//track is already set.
if (isTracksEqual(mediaTracks[i], track)) {
return;
}
}
mediaTracks.push(track);
var initSettings = getInitialSettings(mediaType);
if (initSettings && matchSettings(initSettings, track) && !getCurrentTrackFor(mediaType, track.streamInfo)) {
setTrack(track);
}
}
/**
* @param {string} type
* @param {StreamInfo} streamInfo
* @returns {Array}
* @memberof MediaController#
*/
function getTracksFor(type, streamInfo) {
if (!type || !streamInfo) return [];
var id = streamInfo.id;
if (!tracks[id] || !tracks[id][type]) return [];
return tracks[id][type].list;
}
/**
* @param {string} type
* @param {StreamInfo} streamInfo
* @returns {Object|null}
* @memberof MediaController#
*/
function getCurrentTrackFor(type, streamInfo) {
if (!type || !streamInfo || streamInfo && !tracks[streamInfo.id]) return null;
return tracks[streamInfo.id][type].current;
}
/**
* @param {MediaInfo} track
* @returns {boolean}
* @memberof MediaController#
*/
function isCurrentTrack(track) {
if (!track) {
return false;
}
var type = track.type;
var id = track.streamInfo.id;
return tracks[id] && tracks[id][type] && isTracksEqual(tracks[id][type].current, track);
}
/**
* @param {MediaInfo} track
* @memberof MediaController#
*/
function setTrack(track) {
if (!track) return;
var type = track.type;
var streamInfo = track.streamInfo;
var id = streamInfo.id;
var current = getCurrentTrackFor(type, streamInfo);
if (!tracks[id] || !tracks[id][type] || isTracksEqual(track, current)) return;
tracks[id][type].current = track;
if (tracks[id][type].current) {
eventBus.trigger(_coreEventsEvents2['default'].CURRENT_TRACK_CHANGED, { oldMediaInfo: current, newMediaInfo: track, switchMode: switchMode[type] });
}
var settings = extractSettings(track);
if (!settings || !tracks[id][type].storeLastSettings) return;
if (settings.roles) {
settings.role = settings.roles[0];
delete settings.roles;
}
if (settings.accessibility) {
settings.accessibility = settings.accessibility[0];
}
if (settings.audioChannelConfiguration) {
settings.audioChannelConfiguration = settings.audioChannelConfiguration[0];
}
domStorage.setSavedMediaSettings(type, settings);
}
/**
* @param {string} type
* @param {Object} value
* @memberof MediaController#
*/
function setInitialSettings(type, value) {
if (!type || !value) return;
initialSettings[type] = value;
}
/**
* @param {string} type
* @returns {Object|null}
* @memberof MediaController#
*/
function getInitialSettings(type) {
if (!type) return null;
return initialSettings[type];
}
/**
* @param {string} type
* @param {string} mode
* @memberof MediaController#
*/
function setSwitchMode(type, mode) {
var isModeSupported = validTrackSwitchModes.indexOf(mode) !== -1;
if (!isModeSupported) {
logger.warn('Track switch mode is not supported: ' + mode);
return;
}
switchMode[type] = mode;
}
/**
* @param {string} type
* @returns {string} mode
* @memberof MediaController#
*/
function getSwitchMode(type) {
return switchMode[type];
}
/**
* @param {string} mode
* @memberof MediaController#
*/
function setSelectionModeForInitialTrack(mode) {
var isModeSupported = validTrackSelectionModes.indexOf(mode) !== -1;
if (!isModeSupported) {
logger.warn('Track selection mode is not supported: ' + mode);
return;
}
selectionMode = mode;
}
/**
* @returns {string} mode
* @memberof MediaController#
*/
function getSelectionModeForInitialTrack() {
return selectionMode || DEFAULT_INIT_TRACK_SELECTION_MODE;
}
/**
* @param {string} type
* @returns {boolean}
* @memberof MediaController#
*/
function isMultiTrackSupportedByType(type) {
return type === _constantsConstants2['default'].AUDIO || type === _constantsConstants2['default'].VIDEO || type === _constantsConstants2['default'].TEXT || type === _constantsConstants2['default'].FRAGMENTED_TEXT || type === _constantsConstants2['default'].IMAGE;
}
/**
* @param {MediaInfo} t1 - first track to compare
* @param {MediaInfo} t2 - second track to compare
* @returns {boolean}
* @memberof MediaController#
*/
function isTracksEqual(t1, t2) {
if (!t1 && !t2) {
return true;
}
if (!t1 || !t2) {
return false;
}
var sameId = t1.id === t2.id;
var sameViewpoint = t1.viewpoint === t2.viewpoint;
var sameLang = t1.lang === t2.lang;
var sameRoles = t1.roles.toString() === t2.roles.toString();
var sameAccessibility = t1.accessibility.toString() === t2.accessibility.toString();
var sameAudioChannelConfiguration = t1.audioChannelConfiguration.toString() === t2.audioChannelConfiguration.toString();
return sameId && sameViewpoint && sameLang && sameRoles && sameAccessibility && sameAudioChannelConfiguration;
}
function setConfig(config) {
if (!config) return;
if (config.errHandler) {
errHandler = config.errHandler;
}
if (config.domStorage) {
domStorage = config.domStorage;
}
}
/**
* @memberof MediaController#
*/
function reset() {
tracks = {};
resetInitialSettings();
resetSwitchMode();
}
function extractSettings(mediaInfo) {
var settings = {
lang: mediaInfo.lang,
viewpoint: mediaInfo.viewpoint,
roles: mediaInfo.roles,
accessibility: mediaInfo.accessibility,
audioChannelConfiguration: mediaInfo.audioChannelConfiguration
};
var notEmpty = settings.lang || settings.viewpoint || settings.role && settings.role.length > 0 || settings.accessibility && settings.accessibility.length > 0 || settings.audioChannelConfiguration && settings.audioChannelConfiguration.length > 0;
return notEmpty ? settings : null;
}
function matchSettings(settings, track) {
var matchLang = !settings.lang || settings.lang === track.lang;
var matchViewPoint = !settings.viewpoint || settings.viewpoint === track.viewpoint;
var matchRole = !settings.role || !!track.roles.filter(function (item) {
return item === settings.role;
})[0];
var matchAccessibility = !settings.accessibility || !!track.accessibility.filter(function (item) {
return item === settings.accessibility;
})[0];
var matchAudioChannelConfiguration = !settings.audioChannelConfiguration || !!track.audioChannelConfiguration.filter(function (item) {
return item === settings.audioChannelConfiguration;
})[0];
return matchLang && matchViewPoint && matchRole && matchAccessibility && matchAudioChannelConfiguration;
}
function resetSwitchMode() {
switchMode = {
audio: TRACK_SWITCH_MODE_ALWAYS_REPLACE,
video: TRACK_SWITCH_MODE_NEVER_REPLACE
};
}
function resetInitialSettings() {
initialSettings = {
audio: null,
video: null
};
}
function selectInitialTrack(tracks) {
var mode = getSelectionModeForInitialTrack();
var tmpArr = [];
var getTracksWithHighestBitrate = function getTracksWithHighestBitrate(trackArr) {
var max = 0;
var result = [];
var tmp = undefined;
trackArr.forEach(function (track) {
tmp = Math.max.apply(Math, track.bitrateList.map(function (obj) {
return obj.bandwidth;
}));
if (tmp > max) {
max = tmp;
result = [track];
} else if (tmp === max) {
result.push(track);
}
});
return result;
};
var getTracksWithWidestRange = function getTracksWithWidestRange(trackArr) {
var max = 0;
var result = [];
var tmp = undefined;
trackArr.forEach(function (track) {
tmp = track.representationCount;
if (tmp > max) {
max = tmp;
result = [track];
} else if (tmp === max) {
result.push(track);
}
});
return result;
};
switch (mode) {
case TRACK_SELECTION_MODE_HIGHEST_BITRATE:
tmpArr = getTracksWithHighestBitrate(tracks);
if (tmpArr.length > 1) {
tmpArr = getTracksWithWidestRange(tmpArr);
}
break;
case TRACK_SELECTION_MODE_WIDEST_RANGE:
tmpArr = getTracksWithWidestRange(tracks);
if (tmpArr.length > 1) {
tmpArr = getTracksWithHighestBitrate(tracks);
}
break;
default:
logger.warn('Track selection mode is not supported: ' + mode);
break;
}
return tmpArr[0];
}
function createTrackInfo() {
return {
audio: {
list: [],
storeLastSettings: true,
current: null
},
video: {
list: [],
storeLastSettings: true,
current: null
},
text: {
list: [],
storeLastSettings: true,
current: null
},
fragmentedText: {
list: [],
storeLastSettings: true,
current: null
},
image: {
list: [],
storeLastSettings: true,
current: null
}
};
}
instance = {
checkInitialMediaSettingsForType: checkInitialMediaSettingsForType,
addTrack: addTrack,
getTracksFor: getTracksFor,
getCurrentTrackFor: getCurrentTrackFor,
isCurrentTrack: isCurrentTrack,
setTrack: setTrack,
setInitialSettings: setInitialSettings,
getInitialSettings: getInitialSettings,
setSwitchMode: setSwitchMode,
getSwitchMode: getSwitchMode,
setSelectionModeForInitialTrack: setSelectionModeForInitialTrack,
getSelectionModeForInitialTrack: getSelectionModeForInitialTrack,
isMultiTrackSupportedByType: isMultiTrackSupportedByType,
isTracksEqual: isTracksEqual,
setConfig: setConfig,
reset: reset
};
setup();
return instance;
}
MediaController.__dashjs_factory_name = 'MediaController';
var factory = _coreFactoryMaker2['default'].getSingletonFactory(MediaController);
factory.TRACK_SWITCH_MODE_NEVER_REPLACE = TRACK_SWITCH_MODE_NEVER_REPLACE;
factory.TRACK_SWITCH_MODE_ALWAYS_REPLACE = TRACK_SWITCH_MODE_ALWAYS_REPLACE;
factory.TRACK_SELECTION_MODE_HIGHEST_BITRATE = TRACK_SELECTION_MODE_HIGHEST_BITRATE;
factory.TRACK_SELECTION_MODE_WIDEST_RANGE = TRACK_SELECTION_MODE_WIDEST_RANGE;
factory.DEFAULT_INIT_TRACK_SELECTION_MODE = DEFAULT_INIT_TRACK_SELECTION_MODE;
_coreFactoryMaker2['default'].updateSingletonFactory(MediaController.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"45":45,"46":46,"47":47,"50":50,"98":98}],107:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function MediaSourceController() {
var instance = undefined,
logger = undefined;
var context = this.context;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function createMediaSource() {
var hasWebKit = ('WebKitMediaSource' in window);
var hasMediaSource = ('MediaSource' in window);
if (hasMediaSource) {
return new MediaSource();
} else if (hasWebKit) {
return new WebKitMediaSource();
}
return null;
}
function attachMediaSource(source, videoModel) {
var objectURL = window.URL.createObjectURL(source);
videoModel.setSource(objectURL);
return objectURL;
}
function detachMediaSource(videoModel) {
videoModel.setSource(null);
}
function setDuration(source, value) {
if (source.duration != value) source.duration = value;
return source.duration;
}
function setSeekable(source, start, end) {
if (source && typeof source.setLiveSeekableRange === 'function' && typeof source.clearLiveSeekableRange === 'function' && source.readyState === 'open' && start >= 0 && start < end) {
source.clearLiveSeekableRange();
source.setLiveSeekableRange(start, end);
}
}
function signalEndOfStream(source) {
var buffers = source.sourceBuffers;
var ln = buffers.length;
if (source.readyState !== 'open') {
return;
}
for (var i = 0; i < ln; i++) {
if (buffers[i].updating) {
return;
}
if (buffers[i].buffered.length === 0) {
return;
}
}
logger.info('call to mediaSource endOfStream');
source.endOfStream();
}
instance = {
createMediaSource: createMediaSource,
attachMediaSource: attachMediaSource,
detachMediaSource: detachMediaSource,
setDuration: setDuration,
setSeekable: setSeekable,
signalEndOfStream: signalEndOfStream
};
setup();
return instance;
}
MediaSourceController.__dashjs_factory_name = 'MediaSourceController';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(MediaSourceController);
module.exports = exports['default'];
},{"45":45,"47":47}],108:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _BufferController = _dereq_(103);
var _BufferController2 = _interopRequireDefault(_BufferController);
var _modelsURIFragmentModel = _dereq_(118);
var _modelsURIFragmentModel2 = _interopRequireDefault(_modelsURIFragmentModel);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var LIVE_UPDATE_PLAYBACK_TIME_INTERVAL_MS = 500;
var DEFAULT_CATCHUP_PLAYBACK_RATE = 0.05;
// Start catching up mechanism for low latency live streaming
// when latency goes beyong targetDelay * (1 + LIVE_CATCHUP_START_THRESHOLD)
var LIVE_CATCHUP_START_THRESHOLD = 0.35;
function PlaybackController() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
streamController = undefined,
metricsModel = undefined,
dashMetrics = undefined,
manifestModel = undefined,
dashManifestModel = undefined,
adapter = undefined,
videoModel = undefined,
currentTime = undefined,
liveStartTime = undefined,
wallclockTimeIntervalId = undefined,
commonEarliestTime = undefined,
liveDelay = undefined,
bufferedRange = undefined,
streamInfo = undefined,
isDynamic = undefined,
mediaPlayerModel = undefined,
playOnceInitialized = undefined,
lastLivePlaybackTime = undefined,
originalPlaybackRate = undefined,
availabilityStartTime = undefined,
compatibleWithPreviousStream = undefined;
var catchUpPlaybackRate = DEFAULT_CATCHUP_PLAYBACK_RATE;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
reset();
}
function initialize(StreamInfo, compatible) {
streamInfo = StreamInfo;
addAllListeners();
isDynamic = streamInfo.manifestInfo.isDynamic;
liveStartTime = streamInfo.start;
compatibleWithPreviousStream = compatible;
eventBus.on(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, this);
eventBus.on(_coreEventsEvents2['default'].BYTES_APPENDED_END_FRAGMENT, onBytesAppended, this);
eventBus.on(_coreEventsEvents2['default'].BUFFER_LEVEL_STATE_CHANGED, onBufferLevelStateChanged, this);
eventBus.on(_coreEventsEvents2['default'].PERIOD_SWITCH_STARTED, onPeriodSwitchStarted, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_PROGRESS, onPlaybackProgression, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackProgression, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_ENDED, onPlaybackEnded, this);
if (playOnceInitialized) {
playOnceInitialized = false;
play();
}
}
function onPeriodSwitchStarted(e) {
if (!isDynamic && e.fromStreamInfo && commonEarliestTime[e.fromStreamInfo.id] !== undefined) {
delete bufferedRange[e.fromStreamInfo.id];
delete commonEarliestTime[e.fromStreamInfo.id];
}
}
function getTimeToStreamEnd() {
return parseFloat((getStreamEndTime() - getTime()).toFixed(5));
}
function getStreamEndTime() {
var startTime = getStreamStartTime(true);
var offset = isDynamic ? startTime - streamInfo.start : 0;
return startTime + (streamInfo.duration - offset);
}
function play() {
if (streamInfo && videoModel && videoModel.getElement()) {
videoModel.play();
} else {
playOnceInitialized = true;
}
}
function isPaused() {
return streamInfo && videoModel ? videoModel.isPaused() : null;
}
function pause() {
if (streamInfo && videoModel) {
videoModel.pause();
}
}
function isSeeking() {
return streamInfo && videoModel ? videoModel.isSeeking() : null;
}
function seek(time, stickToBuffered, internalSeek) {
if (streamInfo && videoModel) {
if (internalSeek === true) {
if (time !== videoModel.getTime()) {
// Internal seek = seek video model only (disable 'seeking' listener),
// buffer(s) are already appended at given time (see onBytesAppended())
videoModel.removeEventListener('seeking', onPlaybackSeeking);
logger.info('Requesting seek to time: ' + time);
videoModel.setCurrentTime(time, stickToBuffered);
}
} else {
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_SEEK_ASKED);
logger.info('Requesting seek to time: ' + time);
videoModel.setCurrentTime(time, stickToBuffered);
}
}
}
function getTime() {
return streamInfo && videoModel ? videoModel.getTime() : null;
}
function getPlaybackRate() {
return streamInfo && videoModel ? videoModel.getPlaybackRate() : null;
}
function getPlayedRanges() {
return streamInfo && videoModel ? videoModel.getPlayedRanges() : null;
}
function getEnded() {
return streamInfo && videoModel ? videoModel.getEnded() : null;
}
function getIsDynamic() {
return isDynamic;
}
function getStreamController() {
return streamController;
}
function setLiveStartTime(value) {
liveStartTime = value;
}
function getLiveStartTime() {
return liveStartTime;
}
function setCatchUpPlaybackRate(value) {
catchUpPlaybackRate = value;
// If value == 0.0, deactivate catchup mechanism
if (value === 0.0 && getPlaybackRate() > 1.0) {
stopPlaybackCatchUp();
}
}
function getCatchUpPlaybackRate() {
return catchUpPlaybackRate;
}
/**
* Computes the desirable delay for the live edge to avoid a risk of getting 404 when playing at the bleeding edge
* @param {number} fragmentDuration - seconds?
* @param {number} dvrWindowSize - seconds?
* @returns {number} object
* @memberof PlaybackController#
*/
function computeLiveDelay(fragmentDuration, dvrWindowSize) {
var mpd = dashManifestModel.getMpd(manifestModel.getValue());
var delay = undefined;
var ret = undefined;
var END_OF_PLAYLIST_PADDING = 10;
if (mediaPlayerModel.getUseSuggestedPresentationDelay() && mpd.hasOwnProperty(_constantsConstants2['default'].SUGGESTED_PRESENTATION_DELAY)) {
delay = mpd.suggestedPresentationDelay;
} else if (mediaPlayerModel.getLowLatencyEnabled()) {
delay = 0;
} else if (mediaPlayerModel.getLiveDelay()) {
delay = mediaPlayerModel.getLiveDelay(); // If set by user, this value takes precedence
} else if (!isNaN(fragmentDuration)) {
delay = fragmentDuration * mediaPlayerModel.getLiveDelayFragmentCount();
} else {
delay = streamInfo.manifestInfo.minBufferTime * 2;
}
if (mpd.availabilityStartTime) {
availabilityStartTime = mpd.availabilityStartTime.getTime();
}
if (dvrWindowSize > 0) {
// cap target latency to:
// - dvrWindowSize / 2 for short playlists
// - dvrWindowSize - END_OF_PLAYLIST_PADDING for longer playlists
var targetDelayCapping = Math.max(dvrWindowSize - END_OF_PLAYLIST_PADDING, dvrWindowSize / 2);
ret = Math.min(delay, targetDelayCapping);
} else {
ret = delay;
}
liveDelay = ret;
return ret;
}
function getLiveDelay() {
return liveDelay;
}
function getCurrentLiveLatency() {
if (!isDynamic || isNaN(availabilityStartTime)) {
return NaN;
}
var currentTime = getTime();
if (isNaN(currentTime) || currentTime === 0) {
return 0;
}
return (Math.round(new Date().getTime() - (currentTime * 1000 + availabilityStartTime)) / 1000).toFixed(3);
}
function startPlaybackCatchUp() {
if (videoModel) {
var playbackRate = 1 + getCatchUpPlaybackRate();
var currentRate = getPlaybackRate();
if (playbackRate !== currentRate) {
logger.info('Starting live catchup mechanism. Setting playback rate to', playbackRate);
originalPlaybackRate = currentRate;
videoModel.getElement().playbackRate = playbackRate;
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_CATCHUP_START, { sender: instance });
}
}
}
function stopPlaybackCatchUp() {
if (videoModel) {
var playbackRate = originalPlaybackRate || 1;
if (playbackRate !== getPlaybackRate()) {
logger.info('Stopping live catchup mechanism. Setting playback rate to', playbackRate);
videoModel.getElement().playbackRate = playbackRate;
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_CATCHUP_END, { sender: instance });
}
}
}
function reset() {
currentTime = 0;
liveStartTime = NaN;
playOnceInitialized = false;
commonEarliestTime = {};
liveDelay = 0;
availabilityStartTime = 0;
catchUpPlaybackRate = DEFAULT_CATCHUP_PLAYBACK_RATE;
bufferedRange = {};
if (videoModel) {
eventBus.off(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, this);
eventBus.off(_coreEventsEvents2['default'].BUFFER_LEVEL_STATE_CHANGED, onBufferLevelStateChanged, this);
eventBus.off(_coreEventsEvents2['default'].BYTES_APPENDED_END_FRAGMENT, onBytesAppended, this);
eventBus.off(_coreEventsEvents2['default'].PERIOD_SWITCH_STARTED, onPeriodSwitchStarted, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_PROGRESS, onPlaybackProgression, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackProgression, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_ENDED, onPlaybackEnded, this);
stopUpdatingWallclockTime();
removeAllListeners();
}
wallclockTimeIntervalId = null;
videoModel = null;
streamInfo = null;
isDynamic = null;
}
function setConfig(config) {
if (!config) return;
if (config.streamController) {
streamController = config.streamController;
}
if (config.metricsModel) {
metricsModel = config.metricsModel;
}
if (config.dashMetrics) {
dashMetrics = config.dashMetrics;
}
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.mediaPlayerModel) {
mediaPlayerModel = config.mediaPlayerModel;
}
if (config.adapter) {
adapter = config.adapter;
}
if (config.videoModel) {
videoModel = config.videoModel;
}
}
function getStartTimeFromUriParameters() {
var fragData = (0, _modelsURIFragmentModel2['default'])(context).getInstance().getURIFragmentData();
var uriParameters = undefined;
if (fragData) {
uriParameters = {};
var r = parseInt(fragData.r, 10);
if (r >= 0 && streamInfo && r < streamInfo.manifestInfo.DVRWindowSize && fragData.t === null) {
fragData.t = Math.floor(Date.now() / 1000) - streamInfo.manifestInfo.DVRWindowSize + r;
}
uriParameters.fragS = parseFloat(fragData.s);
uriParameters.fragT = parseFloat(fragData.t);
}
return uriParameters;
}
/**
* @param {boolean} ignoreStartOffset - ignore URL fragment start offset if true
* @param {number} liveEdge - liveEdge value
* @returns {number} object
* @memberof PlaybackController#
*/
function getStreamStartTime(ignoreStartOffset, liveEdge) {
var presentationStartTime = undefined;
var startTimeOffset = NaN;
var uriParameters = getStartTimeFromUriParameters();
if (uriParameters) {
if (!ignoreStartOffset) {
startTimeOffset = !isNaN(uriParameters.fragS) ? uriParameters.fragS : uriParameters.fragT;
} else {
startTimeOffset = streamInfo.start;
}
} else {
// handle case where no media fragments are parsed from the manifest URL
startTimeOffset = 0;
}
if (isDynamic) {
if (!isNaN(startTimeOffset)) {
presentationStartTime = startTimeOffset - streamInfo.manifestInfo.availableFrom.getTime() / 1000;
if (presentationStartTime > liveStartTime || presentationStartTime < (!isNaN(liveEdge) ? liveEdge - streamInfo.manifestInfo.DVRWindowSize : NaN)) {
presentationStartTime = null;
}
}
presentationStartTime = presentationStartTime || liveStartTime;
} else {
if (!isNaN(startTimeOffset) && startTimeOffset < Math.max(streamInfo.manifestInfo.duration, streamInfo.duration) && startTimeOffset >= 0) {
presentationStartTime = startTimeOffset;
} else {
var earliestTime = commonEarliestTime[streamInfo.id]; //set by ready bufferStart after first onBytesAppended
presentationStartTime = earliestTime !== undefined ? Math.max(earliestTime.audio !== undefined ? earliestTime.audio : 0, earliestTime.video !== undefined ? earliestTime.video : 0, streamInfo.start) : streamInfo.start;
}
}
return presentationStartTime;
}
function getActualPresentationTime(currentTime) {
var metrics = metricsModel.getReadOnlyMetricsFor(_constantsConstants2['default'].VIDEO) || metricsModel.getReadOnlyMetricsFor(_constantsConstants2['default'].AUDIO);
var DVRMetrics = dashMetrics.getCurrentDVRInfo(metrics);
var DVRWindow = DVRMetrics ? DVRMetrics.range : null;
var actualTime = undefined;
if (!DVRWindow) return NaN;
if (currentTime > DVRWindow.end) {
actualTime = Math.max(DVRWindow.end - streamInfo.manifestInfo.minBufferTime * 2, DVRWindow.start);
} else if (currentTime + 0.250 < DVRWindow.start) {
// Checking currentTime plus 250ms as the 'timeupdate' is fired with a frequency between 4Hz and 66Hz
// https://developer.mozilla.org/en-US/docs/Web/Events/timeupdate
// http://w3c.github.io/html/single-page.html#offsets-into-the-media-resource
actualTime = DVRWindow.start;
} else {
return currentTime;
}
return actualTime;
}
function startUpdatingWallclockTime() {
if (wallclockTimeIntervalId !== null) return;
var tick = function tick() {
onWallclockTime();
};
wallclockTimeIntervalId = setInterval(tick, mediaPlayerModel.getWallclockTimeUpdateInterval());
}
function stopUpdatingWallclockTime() {
clearInterval(wallclockTimeIntervalId);
wallclockTimeIntervalId = null;
}
function updateCurrentTime() {
if (isPaused() || !isDynamic || videoModel.getReadyState() === 0) return;
var currentTime = getTime();
var actualTime = getActualPresentationTime(currentTime);
var timeChanged = !isNaN(actualTime) && actualTime !== currentTime;
if (timeChanged) {
seek(actualTime);
}
}
function onDataUpdateCompleted(e) {
if (e.error) return;
var representationInfo = adapter.convertDataToRepresentationInfo(e.currentRepresentation);
var info = representationInfo.mediaInfo.streamInfo;
if (streamInfo.id !== info.id) return;
streamInfo = info;
updateCurrentTime();
}
function onCanPlay() {
eventBus.trigger(_coreEventsEvents2['default'].CAN_PLAY);
}
function onPlaybackStart() {
logger.info('Native video element event: play');
updateCurrentTime();
startUpdatingWallclockTime();
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_STARTED, {
startTime: getTime()
});
}
function onPlaybackWaiting() {
logger.info('Native video element event: waiting');
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_WAITING, {
playingTime: getTime()
});
}
function onPlaybackPlaying() {
logger.info('Native video element event: playing');
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_PLAYING, {
playingTime: getTime()
});
}
function onPlaybackPaused() {
logger.info('Native video element event: pause');
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_PAUSED, {
ended: getEnded()
});
}
function onPlaybackSeeking() {
var seekTime = getTime();
logger.info('Seeking to: ' + seekTime);
startUpdatingWallclockTime();
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_SEEKING, {
seekTime: seekTime
});
}
function onPlaybackSeeked() {
logger.info('Native video element event: seeked');
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_SEEKED);
// Reactivate 'seeking' event listener (see seek())
videoModel.addEventListener('seeking', onPlaybackSeeking);
}
function onPlaybackTimeUpdated() {
var time = getTime();
currentTime = time;
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, {
timeToEnd: getTimeToStreamEnd(),
time: time
});
}
function updateLivePlaybackTime() {
var now = Date.now();
if (!lastLivePlaybackTime || now > lastLivePlaybackTime + LIVE_UPDATE_PLAYBACK_TIME_INTERVAL_MS) {
lastLivePlaybackTime = now;
onPlaybackTimeUpdated();
}
}
function onPlaybackProgress() {
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_PROGRESS);
}
function onPlaybackRateChanged() {
var rate = getPlaybackRate();
logger.info('Native video element event: ratechange: ', rate);
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_RATE_CHANGED, {
playbackRate: rate
});
}
function onPlaybackMetaDataLoaded() {
logger.info('Native video element event: loadedmetadata');
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_METADATA_LOADED);
startUpdatingWallclockTime();
}
// Event to handle the native video element ended event
function onNativePlaybackEnded() {
logger.info('Native video element event: ended');
pause();
stopUpdatingWallclockTime();
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_ENDED, { 'isLast': streamController.getActiveStreamInfo().isLast });
}
// Handle DASH PLAYBACK_ENDED event
function onPlaybackEnded(e) {
if (wallclockTimeIntervalId && e.isLast) {
// PLAYBACK_ENDED was triggered elsewhere, react.
logger.info('[PlaybackController] onPlaybackEnded -- PLAYBACK_ENDED but native video element didn\'t fire ended');
videoModel.setCurrentTime(getStreamEndTime());
pause();
stopUpdatingWallclockTime();
}
}
function onPlaybackError(event) {
var target = event.target || event.srcElement;
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_ERROR, {
error: target.error
});
}
function onWallclockTime() {
eventBus.trigger(_coreEventsEvents2['default'].WALLCLOCK_TIME_UPDATED, {
isDynamic: isDynamic,
time: new Date()
});
// Updates playback time for paused dynamic streams
// (video element doesn't call timeupdate when the playback is paused)
if (getIsDynamic() && isPaused()) {
updateLivePlaybackTime();
}
}
function checkTimeInRanges(time, ranges) {
if (ranges && ranges.length > 0) {
for (var i = 0, len = ranges.length; i < len; i++) {
if (time >= ranges.start(i) && time < ranges.end(i)) {
return true;
}
}
}
return false;
}
function onPlaybackProgression() {
if (isDynamic && mediaPlayerModel.getLowLatencyEnabled() && getCatchUpPlaybackRate() > 0.0) {
if (!isCatchingUp() && needToCatchUp()) {
startPlaybackCatchUp();
} else if (stopCatchingUp()) {
stopPlaybackCatchUp();
}
}
}
function needToCatchUp() {
return getCurrentLiveLatency() > mediaPlayerModel.getLiveDelay() * (1 + LIVE_CATCHUP_START_THRESHOLD);
}
function stopCatchingUp() {
return getCurrentLiveLatency() <= mediaPlayerModel.getLiveDelay();
}
function isCatchingUp() {
return getCatchUpPlaybackRate() + 1 === getPlaybackRate();
}
function onBytesAppended(e) {
var earliestTime = undefined,
initialStartTime = undefined;
var ranges = e.bufferedRanges;
if (!ranges || !ranges.length) return;
if (commonEarliestTime[streamInfo.id] && commonEarliestTime[streamInfo.id].started === true) {
//stream has already been started.
return;
}
var type = e.sender.getType();
if (bufferedRange[streamInfo.id] === undefined) {
bufferedRange[streamInfo.id] = [];
}
bufferedRange[streamInfo.id][type] = ranges;
if (commonEarliestTime[streamInfo.id] === undefined) {
commonEarliestTime[streamInfo.id] = [];
commonEarliestTime[streamInfo.id].started = false;
}
if (commonEarliestTime[streamInfo.id][type] === undefined) {
commonEarliestTime[streamInfo.id][type] = Math.max(ranges.start(0), streamInfo.start);
}
var hasVideoTrack = streamController.isVideoTrackPresent();
var hasAudioTrack = streamController.isAudioTrackPresent();
initialStartTime = getStreamStartTime(false);
if (hasAudioTrack && hasVideoTrack) {
//current stream has audio and video contents
if (!isNaN(commonEarliestTime[streamInfo.id].audio) && !isNaN(commonEarliestTime[streamInfo.id].video)) {
if (commonEarliestTime[streamInfo.id].audio < commonEarliestTime[streamInfo.id].video) {
// common earliest is video time
// check buffered audio range has video time, if ok, we seek, otherwise, we wait some other data
earliestTime = commonEarliestTime[streamInfo.id].video > initialStartTime ? commonEarliestTime[streamInfo.id].video : initialStartTime;
ranges = bufferedRange[streamInfo.id].audio;
} else {
// common earliest is audio time
// check buffered video range has audio time, if ok, we seek, otherwise, we wait some other data
earliestTime = commonEarliestTime[streamInfo.id].audio > initialStartTime ? commonEarliestTime[streamInfo.id].audio : initialStartTime;
ranges = bufferedRange[streamInfo.id].video;
}
if (checkTimeInRanges(earliestTime, ranges)) {
if (!isSeeking() && !compatibleWithPreviousStream && earliestTime !== 0) {
seek(earliestTime, true, true);
}
commonEarliestTime[streamInfo.id].started = true;
}
}
} else {
//current stream has only audio or only video content
if (commonEarliestTime[streamInfo.id][type]) {
earliestTime = commonEarliestTime[streamInfo.id][type] > initialStartTime ? commonEarliestTime[streamInfo.id][type] : initialStartTime;
if (!isSeeking() && !compatibleWithPreviousStream) {
seek(earliestTime, false, true);
}
commonEarliestTime[streamInfo.id].started = true;
}
}
}
function onBufferLevelStateChanged(e) {
// do not stall playback when get an event from Stream that is not active
if (e.streamInfo.id !== streamInfo.id) return;
videoModel.setStallState(e.mediaType, e.state === _BufferController2['default'].BUFFER_EMPTY);
}
function onPlaybackStalled(e) {
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_STALLED, {
e: e
});
}
function addAllListeners() {
videoModel.addEventListener('canplay', onCanPlay);
videoModel.addEventListener('play', onPlaybackStart);
videoModel.addEventListener('waiting', onPlaybackWaiting);
videoModel.addEventListener('playing', onPlaybackPlaying);
videoModel.addEventListener('pause', onPlaybackPaused);
videoModel.addEventListener('error', onPlaybackError);
videoModel.addEventListener('seeking', onPlaybackSeeking);
videoModel.addEventListener('seeked', onPlaybackSeeked);
videoModel.addEventListener('timeupdate', onPlaybackTimeUpdated);
videoModel.addEventListener('progress', onPlaybackProgress);
videoModel.addEventListener('ratechange', onPlaybackRateChanged);
videoModel.addEventListener('loadedmetadata', onPlaybackMetaDataLoaded);
videoModel.addEventListener('stalled', onPlaybackStalled);
videoModel.addEventListener('ended', onNativePlaybackEnded);
}
function removeAllListeners() {
videoModel.removeEventListener('canplay', onCanPlay);
videoModel.removeEventListener('play', onPlaybackStart);
videoModel.removeEventListener('waiting', onPlaybackWaiting);
videoModel.removeEventListener('playing', onPlaybackPlaying);
videoModel.removeEventListener('pause', onPlaybackPaused);
videoModel.removeEventListener('error', onPlaybackError);
videoModel.removeEventListener('seeking', onPlaybackSeeking);
videoModel.removeEventListener('seeked', onPlaybackSeeked);
videoModel.removeEventListener('timeupdate', onPlaybackTimeUpdated);
videoModel.removeEventListener('progress', onPlaybackProgress);
videoModel.removeEventListener('ratechange', onPlaybackRateChanged);
videoModel.removeEventListener('loadedmetadata', onPlaybackMetaDataLoaded);
videoModel.removeEventListener('stalled', onPlaybackStalled);
videoModel.removeEventListener('ended', onNativePlaybackEnded);
}
instance = {
initialize: initialize,
setConfig: setConfig,
getStartTimeFromUriParameters: getStartTimeFromUriParameters,
getStreamStartTime: getStreamStartTime,
getTimeToStreamEnd: getTimeToStreamEnd,
getTime: getTime,
getPlaybackRate: getPlaybackRate,
getPlayedRanges: getPlayedRanges,
getEnded: getEnded,
getIsDynamic: getIsDynamic,
getStreamController: getStreamController,
setCatchUpPlaybackRate: setCatchUpPlaybackRate,
setLiveStartTime: setLiveStartTime,
getLiveStartTime: getLiveStartTime,
computeLiveDelay: computeLiveDelay,
getLiveDelay: getLiveDelay,
getCurrentLiveLatency: getCurrentLiveLatency,
play: play,
isPaused: isPaused,
pause: pause,
isSeeking: isSeeking,
seek: seek,
reset: reset
};
setup();
return instance;
}
PlaybackController.__dashjs_factory_name = 'PlaybackController';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(PlaybackController);
module.exports = exports['default'];
},{"103":103,"118":118,"45":45,"46":46,"47":47,"50":50,"98":98}],109:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _voMetricsPlayList = _dereq_(185);
var _AbrController = _dereq_(100);
var _AbrController2 = _interopRequireDefault(_AbrController);
var _BufferController = _dereq_(103);
var _BufferController2 = _interopRequireDefault(_BufferController);
var _rulesSchedulingBufferLevelRule = _dereq_(135);
var _rulesSchedulingBufferLevelRule2 = _interopRequireDefault(_rulesSchedulingBufferLevelRule);
var _rulesSchedulingNextFragmentRequestRule = _dereq_(136);
var _rulesSchedulingNextFragmentRequestRule2 = _interopRequireDefault(_rulesSchedulingNextFragmentRequestRule);
var _modelsFragmentModel = _dereq_(114);
var _modelsFragmentModel2 = _interopRequireDefault(_modelsFragmentModel);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _MediaController = _dereq_(106);
var _MediaController2 = _interopRequireDefault(_MediaController);
function ScheduleController(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var metricsModel = config.metricsModel;
var adapter = config.adapter;
var dashMetrics = config.dashMetrics;
var dashManifestModel = config.dashManifestModel;
var timelineConverter = config.timelineConverter;
var mediaPlayerModel = config.mediaPlayerModel;
var abrController = config.abrController;
var playbackController = config.playbackController;
var streamController = config.streamController;
var textController = config.textController;
var type = config.type;
var streamProcessor = config.streamProcessor;
var mediaController = config.mediaController;
var instance = undefined,
logger = undefined,
fragmentModel = undefined,
currentRepresentationInfo = undefined,
initialRequest = undefined,
isStopped = undefined,
playListMetrics = undefined,
playListTraceMetrics = undefined,
playListTraceMetricsClosed = undefined,
isFragmentProcessingInProgress = undefined,
timeToLoadDelay = undefined,
scheduleTimeout = undefined,
seekTarget = undefined,
bufferLevelRule = undefined,
nextFragmentRequestRule = undefined,
scheduleWhilePaused = undefined,
lastFragmentRequest = undefined,
topQualityIndex = undefined,
lastInitQuality = undefined,
replaceRequestArray = undefined,
switchTrack = undefined,
bufferResetInProgress = undefined,
mediaRequest = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
}
function initialize() {
fragmentModel = streamProcessor.getFragmentModel();
scheduleWhilePaused = mediaPlayerModel.getScheduleWhilePaused();
bufferLevelRule = (0, _rulesSchedulingBufferLevelRule2['default'])(context).create({
abrController: abrController,
dashMetrics: dashMetrics,
metricsModel: metricsModel,
mediaPlayerModel: mediaPlayerModel,
textController: textController
});
nextFragmentRequestRule = (0, _rulesSchedulingNextFragmentRequestRule2['default'])(context).create({
adapter: adapter,
textController: textController
});
if (dashManifestModel.getIsTextTrack(config.mimeType)) {
eventBus.on(_coreEventsEvents2['default'].TIMED_TEXT_REQUESTED, onTimedTextRequested, this);
}
//eventBus.on(Events.LIVE_EDGE_SEARCH_COMPLETED, onLiveEdgeSearchCompleted, this);
eventBus.on(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChanged, this);
eventBus.on(_coreEventsEvents2['default'].DATA_UPDATE_STARTED, onDataUpdateStarted, this);
eventBus.on(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, this);
eventBus.on(_coreEventsEvents2['default'].FRAGMENT_LOADING_COMPLETED, onFragmentLoadingCompleted, this);
eventBus.on(_coreEventsEvents2['default'].STREAM_COMPLETED, onStreamCompleted, this);
eventBus.on(_coreEventsEvents2['default'].STREAM_INITIALIZED, onStreamInitialized, this);
eventBus.on(_coreEventsEvents2['default'].BUFFER_LEVEL_STATE_CHANGED, onBufferLevelStateChanged, this);
eventBus.on(_coreEventsEvents2['default'].BUFFER_CLEARED, onBufferCleared, this);
eventBus.on(_coreEventsEvents2['default'].BYTES_APPENDED_END_FRAGMENT, onBytesAppended, this);
eventBus.on(_coreEventsEvents2['default'].INIT_REQUESTED, onInitRequested, this);
eventBus.on(_coreEventsEvents2['default'].QUOTA_EXCEEDED, onQuotaExceeded, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_STARTED, onPlaybackStarted, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_RATE_CHANGED, onPlaybackRateChanged, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackTimeUpdated, this);
eventBus.on(_coreEventsEvents2['default'].URL_RESOLUTION_FAILED, onURLResolutionFailed, this);
eventBus.on(_coreEventsEvents2['default'].FRAGMENT_LOADING_ABANDONED, onFragmentLoadingAbandoned, this);
}
function isStarted() {
return isStopped === false;
}
function start() {
if (!currentRepresentationInfo || streamProcessor.isBufferingCompleted()) {
logger.warn('Start denied to Schedule Controller');
return;
}
logger.debug('Schedule Controller starts');
addPlaylistTraceMetrics();
isStopped = false;
if (initialRequest) {
initialRequest = false;
}
startScheduleTimer(0);
}
function stop() {
if (isStopped) {
return;
}
logger.debug('Schedule Controller stops');
isStopped = true;
clearTimeout(scheduleTimeout);
}
function hasTopQualityChanged(type, id) {
topQualityIndex[id] = topQualityIndex[id] || {};
var newTopQualityIndex = abrController.getTopQualityIndexFor(type, id);
if (topQualityIndex[id][type] != newTopQualityIndex) {
logger.info('Top quality ' + type + ' index has changed from ' + topQualityIndex[id][type] + ' to ' + newTopQualityIndex);
topQualityIndex[id][type] = newTopQualityIndex;
return true;
}
return false;
}
function schedule() {
var bufferController = streamProcessor.getBufferController();
if (isStopped || isFragmentProcessingInProgress || !bufferController || playbackController.isPaused() && !scheduleWhilePaused || (type === _constantsConstants2['default'].FRAGMENTED_TEXT || type === _constantsConstants2['default'].TEXT) && !textController.isTextEnabled()) {
logger.debug('Schedule stop!');
return;
}
if (bufferController.getIsBufferingCompleted()) {
logger.debug('Schedule stop because buffering is completed!');
return;
}
validateExecutedFragmentRequest();
var isReplacement = replaceRequestArray.length > 0;
var streamInfo = streamProcessor.getStreamInfo();
if (bufferResetInProgress || isNaN(lastInitQuality) || switchTrack || isReplacement || hasTopQualityChanged(currentRepresentationInfo.mediaInfo.type, streamInfo.id) || bufferLevelRule.execute(streamProcessor, streamController.isVideoTrackPresent())) {
var getNextFragment = function getNextFragment() {
var fragmentController = streamProcessor.getFragmentController();
if (currentRepresentationInfo.quality !== lastInitQuality) {
logger.debug('Quality has changed, get init request for representationid = ' + currentRepresentationInfo.id);
lastInitQuality = currentRepresentationInfo.quality;
streamProcessor.switchInitData(currentRepresentationInfo.id);
} else if (switchTrack) {
logger.debug('Switch track has been asked, get init request for ' + type + ' with representationid = ' + currentRepresentationInfo.id);
bufferResetInProgress = mediaController.getSwitchMode(type) === _MediaController2['default'].TRACK_SWITCH_MODE_ALWAYS_REPLACE ? true : false;
streamProcessor.switchInitData(currentRepresentationInfo.id, bufferResetInProgress);
lastInitQuality = currentRepresentationInfo.quality;
switchTrack = false;
} else {
var replacement = replaceRequestArray.shift();
if (fragmentController.isInitializationRequest(replacement)) {
// To be sure the specific init segment had not already been loaded.
streamProcessor.switchInitData(replacement.representationId);
} else {
var request = undefined;
// Don't schedule next fragments while pruning to avoid buffer inconsistencies
if (!streamProcessor.getBufferController().getIsPruningInProgress()) {
request = nextFragmentRequestRule.execute(streamProcessor, replacement);
if (!request && streamInfo.manifestInfo && streamInfo.manifestInfo.isDynamic) {
logger.info('Playing at the bleeding live edge and frag is not available yet');
}
}
if (request) {
logger.debug('getNextFragment - request is ' + request.url);
fragmentModel.executeRequest(request);
} else {
// Use case - Playing at the bleeding live edge and frag is not available yet. Cycle back around.
setFragmentProcessState(false);
startScheduleTimer(mediaPlayerModel.getLowLatencyEnabled() ? 100 : 500);
}
}
}
};
setFragmentProcessState(true);
if (!isReplacement && !switchTrack) {
abrController.checkPlaybackQuality(type);
}
getNextFragment();
} else {
startScheduleTimer(500);
}
}
function validateExecutedFragmentRequest() {
// Validate that the fragment request executed and appended into the source buffer is as
// good of quality as the current quality and is the correct media track.
var safeBufferLevel = currentRepresentationInfo.fragmentDuration * 1.5;
var request = fragmentModel.getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
time: playbackController.getTime() + safeBufferLevel,
threshold: 0
})[0];
if (request && replaceRequestArray.indexOf(request) === -1 && !dashManifestModel.getIsTextTrack(type)) {
var fastSwitchModeEnabled = mediaPlayerModel.getFastSwitchEnabled();
var bufferLevel = streamProcessor.getBufferLevel();
var abandonmentState = abrController.getAbandonmentStateFor(type);
// Only replace on track switch when NEVER_REPLACE
var trackChanged = !mediaController.isCurrentTrack(request.mediaInfo) && mediaController.getSwitchMode(request.mediaInfo.type) === _MediaController2['default'].TRACK_SWITCH_MODE_NEVER_REPLACE;
var qualityChanged = request.quality < currentRepresentationInfo.quality;
if (fastSwitchModeEnabled && (trackChanged || qualityChanged) && bufferLevel >= safeBufferLevel && abandonmentState !== _AbrController2['default'].ABANDON_LOAD) {
replaceRequest(request);
logger.debug('Reloading outdated fragment at index: ', request.index);
} else if (request.quality > currentRepresentationInfo.quality) {
// The buffer has better quality it in then what we would request so set append point to end of buffer!!
setSeekTarget(playbackController.getTime() + streamProcessor.getBufferLevel());
}
}
}
function startScheduleTimer(value) {
clearTimeout(scheduleTimeout);
scheduleTimeout = setTimeout(schedule, value);
}
function onInitRequested(e) {
if (!e.sender || e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
getInitRequest(currentRepresentationInfo.quality);
}
function setFragmentProcessState(state) {
if (isFragmentProcessingInProgress !== state) {
isFragmentProcessingInProgress = state;
} else {
logger.debug('isFragmentProcessingInProgress is already equal to', state);
}
}
function getInitRequest(quality) {
var request = adapter.getInitRequest(streamProcessor, quality);
if (request) {
setFragmentProcessState(true);
fragmentModel.executeRequest(request);
}
}
function switchTrackAsked() {
switchTrack = true;
}
function replaceRequest(request) {
replaceRequestArray.push(request);
}
function onQualityChanged(e) {
if (type !== e.mediaType || streamProcessor.getStreamInfo().id !== e.streamInfo.id) {
return;
}
currentRepresentationInfo = streamProcessor.getRepresentationInfoForQuality(e.newQuality);
if (currentRepresentationInfo === null || currentRepresentationInfo === undefined) {
throw new Error('Unexpected error! - currentRepresentationInfo is null or undefined');
}
clearPlayListTraceMetrics(new Date(), _voMetricsPlayList.PlayListTrace.REPRESENTATION_SWITCH_STOP_REASON);
addPlaylistTraceMetrics();
}
function completeQualityChange(trigger) {
if (playbackController && fragmentModel) {
var item = fragmentModel.getRequests({
state: _modelsFragmentModel2['default'].FRAGMENT_MODEL_EXECUTED,
time: playbackController.getTime(),
threshold: 0
})[0];
if (item && playbackController.getTime() >= item.startTime) {
if ((!lastFragmentRequest.mediaInfo || item.mediaInfo.type === lastFragmentRequest.mediaInfo.type && item.mediaInfo.id !== lastFragmentRequest.mediaInfo.id) && trigger) {
eventBus.trigger(_coreEventsEvents2['default'].TRACK_CHANGE_RENDERED, {
mediaType: type,
oldMediaInfo: lastFragmentRequest.mediaInfo,
newMediaInfo: item.mediaInfo
});
}
if ((item.quality !== lastFragmentRequest.quality || item.adaptationIndex !== lastFragmentRequest.adaptationIndex) && trigger) {
eventBus.trigger(_coreEventsEvents2['default'].QUALITY_CHANGE_RENDERED, {
mediaType: type,
oldQuality: lastFragmentRequest.quality,
newQuality: item.quality
});
}
lastFragmentRequest = {
mediaInfo: item.mediaInfo,
quality: item.quality,
adaptationIndex: item.adaptationIndex
};
}
}
}
function onDataUpdateCompleted(e) {
if (e.error || e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
currentRepresentationInfo = adapter.convertDataToRepresentationInfo(e.currentRepresentation);
}
function onStreamInitialized(e) {
if (e.error || streamProcessor.getStreamInfo().id !== e.streamInfo.id) {
return;
}
currentRepresentationInfo = streamProcessor.getCurrentRepresentationInfo();
if (initialRequest) {
if (playbackController.getIsDynamic()) {
timelineConverter.setTimeSyncCompleted(true);
setLiveEdgeSeekTarget();
} else {
seekTarget = playbackController.getStreamStartTime(false);
streamProcessor.getBufferController().setSeekStartTime(seekTarget);
}
}
if (isStopped) {
start();
}
}
function setLiveEdgeSeekTarget() {
var liveEdgeFinder = streamProcessor.getLiveEdgeFinder();
if (liveEdgeFinder) {
var liveEdge = liveEdgeFinder.getLiveEdge();
var dvrWindowSize = currentRepresentationInfo.mediaInfo.streamInfo.manifestInfo.DVRWindowSize / 2;
var startTime = liveEdge - playbackController.computeLiveDelay(currentRepresentationInfo.fragmentDuration, dvrWindowSize);
var request = adapter.getFragmentRequestForTime(streamProcessor, currentRepresentationInfo, startTime, {
ignoreIsFinished: true
});
if (request) {
// When low latency mode is selected but browser doesn't support fetch
// start at the beginning of the segment to avoid consuming the whole buffer
if (mediaPlayerModel.getLowLatencyEnabled()) {
var liveStartTime = request.duration < mediaPlayerModel.getLiveDelay() ? request.startTime : request.startTime + request.duration - mediaPlayerModel.getLiveDelay();
playbackController.setLiveStartTime(liveStartTime);
} else {
playbackController.setLiveStartTime(request.startTime);
}
} else {
logger.debug('setLiveEdgeSeekTarget : getFragmentRequestForTime returned undefined request object');
}
seekTarget = playbackController.getStreamStartTime(false, liveEdge);
streamProcessor.getBufferController().setSeekStartTime(seekTarget);
//special use case for multi period stream. If the startTime is out of the current period, send a seek command.
//in onPlaybackSeeking callback (StreamController), the detection of switch stream is done.
if (seekTarget > currentRepresentationInfo.mediaInfo.streamInfo.start + currentRepresentationInfo.mediaInfo.streamInfo.duration) {
playbackController.seek(seekTarget);
}
var manifestUpdateInfo = dashMetrics.getCurrentManifestUpdate(metricsModel.getMetricsFor(_constantsConstants2['default'].STREAM));
metricsModel.updateManifestUpdateInfo(manifestUpdateInfo, {
currentTime: seekTarget,
presentationStartTime: liveEdge,
latency: liveEdge - seekTarget,
clientTimeOffset: timelineConverter.getClientTimeOffset()
});
}
}
function onStreamCompleted(e) {
if (e.fragmentModel !== fragmentModel) {
return;
}
stop();
setFragmentProcessState(false);
logger.info('Stream is complete');
}
function onFragmentLoadingCompleted(e) {
if (e.sender !== fragmentModel) {
return;
}
logger.info('OnFragmentLoadingCompleted - Url:', e.request ? e.request.url : 'undefined');
if (dashManifestModel.getIsTextTrack(type)) {
setFragmentProcessState(false);
}
if (e.error && e.request.serviceLocation && !isStopped) {
replaceRequest(e.request);
setFragmentProcessState(false);
startScheduleTimer(0);
}
if (bufferResetInProgress) {
mediaRequest = e.request;
}
}
function onPlaybackTimeUpdated() {
completeQualityChange(true);
}
function onBytesAppended(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
if (bufferResetInProgress && !isNaN(e.startTime)) {
bufferResetInProgress = false;
fragmentModel.addExecutedRequest(mediaRequest);
}
setFragmentProcessState(false);
startScheduleTimer(0);
}
function onFragmentLoadingAbandoned(e) {
if (e.streamProcessor !== streamProcessor) {
return;
}
logger.info('onFragmentLoadingAbandoned for ' + type + ', request: ' + e.request.url + ' has been aborted');
if (!playbackController.isSeeking() && !switchTrack) {
logger.info('onFragmentLoadingAbandoned for ' + type + ', request: ' + e.request.url + ' has to be downloaded again, origin is not seeking process or switch track call');
replaceRequest(e.request);
}
setFragmentProcessState(false);
startScheduleTimer(0);
}
function onDataUpdateStarted(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
stop();
}
function onBufferCleared(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
if (e.unintended) {
// There was an unintended buffer remove, probably creating a gap in the buffer, remove every saved request
streamProcessor.getFragmentModel().removeExecutedRequestsAfterTime(e.from, streamProcessor.getStreamInfo().duration);
} else {
streamProcessor.getFragmentModel().syncExecutedRequestsWithBufferedRange(streamProcessor.getBufferController().getBuffer().getAllBufferRanges(), streamProcessor.getStreamInfo().duration);
}
if (e.hasEnoughSpaceToAppend && isStopped) {
start();
}
}
function onBufferLevelStateChanged(e) {
if (e.sender.getStreamProcessor() === streamProcessor && e.state === _BufferController2['default'].BUFFER_EMPTY && !playbackController.isSeeking()) {
logger.info('Buffer is empty! Stalling!');
clearPlayListTraceMetrics(new Date(), _voMetricsPlayList.PlayListTrace.REBUFFERING_REASON);
}
}
function onQuotaExceeded(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
stop();
setFragmentProcessState(false);
}
function onURLResolutionFailed() {
fragmentModel.abortRequests();
stop();
}
function onTimedTextRequested(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
//if subtitles are disabled, do not download subtitles file.
if (textController.isTextEnabled()) {
getInitRequest(e.index);
}
}
function onPlaybackStarted() {
if (isStopped || !scheduleWhilePaused) {
start();
}
}
function onPlaybackSeeking(e) {
seekTarget = e.seekTime;
setTimeToLoadDelay(0);
if (isStopped) {
start();
}
var manifestUpdateInfo = dashMetrics.getCurrentManifestUpdate(metricsModel.getMetricsFor(_constantsConstants2['default'].STREAM));
var latency = currentRepresentationInfo.DVRWindow && playbackController ? currentRepresentationInfo.DVRWindow.end - playbackController.getTime() : NaN;
metricsModel.updateManifestUpdateInfo(manifestUpdateInfo, {
latency: latency
});
//if, during the seek command, the scheduleController is waiting : stop waiting, request chunk as soon as possible
if (!isFragmentProcessingInProgress) {
startScheduleTimer(0);
} else {
logger.debug('onPlaybackSeeking for ' + type + ', call fragmentModel.abortRequests in order to seek quicker');
fragmentModel.abortRequests();
}
}
function onPlaybackRateChanged(e) {
if (playListTraceMetrics) {
playListTraceMetrics.playbackspeed = e.playbackRate.toString();
}
}
function getSeekTarget() {
return seekTarget;
}
function setSeekTarget(value) {
seekTarget = value;
}
function setTimeToLoadDelay(value) {
timeToLoadDelay = value;
}
function getTimeToLoadDelay() {
return timeToLoadDelay;
}
function getBufferTarget() {
return bufferLevelRule.getBufferTarget(streamProcessor, streamController.isVideoTrackPresent());
}
function getType() {
return type;
}
function setPlayList(playList) {
playListMetrics = playList;
}
function finalisePlayList(time, reason) {
clearPlayListTraceMetrics(time, reason);
playListMetrics = null;
}
function clearPlayListTraceMetrics(endTime, stopreason) {
if (playListMetrics && playListTraceMetricsClosed === false) {
var startTime = playListTraceMetrics.start;
var duration = endTime.getTime() - startTime.getTime();
playListTraceMetrics.duration = duration;
playListTraceMetrics.stopreason = stopreason;
playListMetrics.trace.push(playListTraceMetrics);
playListTraceMetricsClosed = true;
}
}
function addPlaylistTraceMetrics() {
if (playListMetrics && playListTraceMetricsClosed === true && currentRepresentationInfo) {
playListTraceMetricsClosed = false;
playListTraceMetrics = new _voMetricsPlayList.PlayListTrace();
playListTraceMetrics.representationid = currentRepresentationInfo.id;
playListTraceMetrics.start = new Date();
playListTraceMetrics.mstart = playbackController.getTime() * 1000;
playListTraceMetrics.playbackspeed = playbackController.getPlaybackRate().toString();
}
}
function resetInitialSettings() {
isFragmentProcessingInProgress = false;
timeToLoadDelay = 0;
seekTarget = NaN;
playListMetrics = null;
playListTraceMetrics = null;
playListTraceMetricsClosed = true;
initialRequest = true;
lastInitQuality = NaN;
lastFragmentRequest = {
mediaInfo: undefined,
quality: NaN,
adaptationIndex: NaN
};
topQualityIndex = {};
replaceRequestArray = [];
isStopped = true;
switchTrack = false;
bufferResetInProgress = false;
mediaRequest = null;
}
function reset() {
//eventBus.off(Events.LIVE_EDGE_SEARCH_COMPLETED, onLiveEdgeSearchCompleted, this);
eventBus.off(_coreEventsEvents2['default'].DATA_UPDATE_STARTED, onDataUpdateStarted, this);
eventBus.off(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, this);
eventBus.off(_coreEventsEvents2['default'].BUFFER_LEVEL_STATE_CHANGED, onBufferLevelStateChanged, this);
eventBus.off(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChanged, this);
eventBus.off(_coreEventsEvents2['default'].FRAGMENT_LOADING_COMPLETED, onFragmentLoadingCompleted, this);
eventBus.off(_coreEventsEvents2['default'].STREAM_COMPLETED, onStreamCompleted, this);
eventBus.off(_coreEventsEvents2['default'].STREAM_INITIALIZED, onStreamInitialized, this);
eventBus.off(_coreEventsEvents2['default'].QUOTA_EXCEEDED, onQuotaExceeded, this);
eventBus.off(_coreEventsEvents2['default'].BYTES_APPENDED_END_FRAGMENT, onBytesAppended, this);
eventBus.off(_coreEventsEvents2['default'].BUFFER_CLEARED, onBufferCleared, this);
eventBus.off(_coreEventsEvents2['default'].INIT_REQUESTED, onInitRequested, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_RATE_CHANGED, onPlaybackRateChanged, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_STARTED, onPlaybackStarted, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackTimeUpdated, this);
eventBus.off(_coreEventsEvents2['default'].URL_RESOLUTION_FAILED, onURLResolutionFailed, this);
eventBus.off(_coreEventsEvents2['default'].FRAGMENT_LOADING_ABANDONED, onFragmentLoadingAbandoned, this);
if (dashManifestModel.getIsTextTrack(type)) {
eventBus.off(_coreEventsEvents2['default'].TIMED_TEXT_REQUESTED, onTimedTextRequested, this);
}
stop();
completeQualityChange(false);
resetInitialSettings();
}
instance = {
initialize: initialize,
getType: getType,
getSeekTarget: getSeekTarget,
setSeekTarget: setSeekTarget,
setTimeToLoadDelay: setTimeToLoadDelay,
getTimeToLoadDelay: getTimeToLoadDelay,
replaceRequest: replaceRequest,
switchTrackAsked: switchTrackAsked,
isStarted: isStarted,
start: start,
stop: stop,
reset: reset,
setPlayList: setPlayList,
getBufferTarget: getBufferTarget,
finalisePlayList: finalisePlayList
};
setup();
return instance;
}
ScheduleController.__dashjs_factory_name = 'ScheduleController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(ScheduleController);
module.exports = exports['default'];
},{"100":100,"103":103,"106":106,"114":114,"135":135,"136":136,"185":185,"45":45,"46":46,"47":47,"50":50,"98":98}],110:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _constantsMetricsConstants = _dereq_(99);
var _constantsMetricsConstants2 = _interopRequireDefault(_constantsMetricsConstants);
var _Stream = _dereq_(95);
var _Stream2 = _interopRequireDefault(_Stream);
var _ManifestUpdater = _dereq_(90);
var _ManifestUpdater2 = _interopRequireDefault(_ManifestUpdater);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _modelsMediaPlayerModel = _dereq_(116);
var _modelsMediaPlayerModel2 = _interopRequireDefault(_modelsMediaPlayerModel);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _voMetricsPlayList = _dereq_(185);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _utilsInitCache = _dereq_(152);
var _utilsInitCache2 = _interopRequireDefault(_utilsInitCache);
var _utilsURLUtils = _dereq_(158);
var _utilsURLUtils2 = _interopRequireDefault(_utilsURLUtils);
var _MediaPlayerEvents = _dereq_(92);
var _MediaPlayerEvents2 = _interopRequireDefault(_MediaPlayerEvents);
var _TimeSyncController = _dereq_(111);
var _TimeSyncController2 = _interopRequireDefault(_TimeSyncController);
var _BaseURLController = _dereq_(101);
var _BaseURLController2 = _interopRequireDefault(_BaseURLController);
var _MediaSourceController = _dereq_(107);
var _MediaSourceController2 = _interopRequireDefault(_MediaSourceController);
function StreamController() {
// Check whether there is a gap every 40 wallClockUpdateEvent times
var STALL_THRESHOLD_TO_CHECK_GAPS = 40;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
capabilities = undefined,
manifestUpdater = undefined,
manifestLoader = undefined,
manifestModel = undefined,
dashManifestModel = undefined,
adapter = undefined,
metricsModel = undefined,
dashMetrics = undefined,
mediaSourceController = undefined,
timeSyncController = undefined,
baseURLController = undefined,
domStorage = undefined,
abrController = undefined,
mediaController = undefined,
textController = undefined,
initCache = undefined,
urlUtils = undefined,
errHandler = undefined,
timelineConverter = undefined,
streams = undefined,
activeStream = undefined,
protectionController = undefined,
protectionData = undefined,
autoPlay = undefined,
isStreamSwitchingInProgress = undefined,
hasMediaError = undefined,
hasInitialisationError = undefined,
mediaSource = undefined,
videoModel = undefined,
playbackController = undefined,
mediaPlayerModel = undefined,
isPaused = undefined,
initialPlayback = undefined,
playListMetrics = undefined,
videoTrackDetected = undefined,
audioTrackDetected = undefined,
isStreamBufferingCompleted = undefined,
playbackEndedTimerId = undefined,
preloadTimerId = undefined,
wallclockTicked = undefined,
buffers = undefined,
compatible = undefined,
preloading = undefined,
lastPlaybackTime = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
timeSyncController = (0, _TimeSyncController2['default'])(context).getInstance();
baseURLController = (0, _BaseURLController2['default'])(context).getInstance();
mediaSourceController = (0, _MediaSourceController2['default'])(context).getInstance();
initCache = (0, _utilsInitCache2['default'])(context).getInstance();
urlUtils = (0, _utilsURLUtils2['default'])(context).getInstance();
resetInitialSettings();
}
function initialize(autoPl, protData) {
checkSetConfigCall();
autoPlay = autoPl;
protectionData = protData;
timelineConverter.initialize();
manifestUpdater = (0, _ManifestUpdater2['default'])(context).create();
manifestUpdater.setConfig({
manifestModel: manifestModel,
dashManifestModel: dashManifestModel,
mediaPlayerModel: mediaPlayerModel,
manifestLoader: manifestLoader,
errHandler: errHandler
});
manifestUpdater.initialize();
baseURLController.setConfig({
dashManifestModel: dashManifestModel
});
eventBus.on(_coreEventsEvents2['default'].TIME_SYNCHRONIZATION_COMPLETED, onTimeSyncCompleted, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackTimeUpdated, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_ENDED, onEnded, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_ERROR, onPlaybackError, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_STARTED, onPlaybackStarted, this);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_PAUSED, onPlaybackPaused, this);
eventBus.on(_coreEventsEvents2['default'].MANIFEST_UPDATED, onManifestUpdated, this);
eventBus.on(_coreEventsEvents2['default'].STREAM_BUFFERING_COMPLETED, onStreamBufferingCompleted, this);
eventBus.on(_coreEventsEvents2['default'].MANIFEST_VALIDITY_CHANGED, onManifestValidityChanged, this);
eventBus.on(_coreEventsEvents2['default'].WALLCLOCK_TIME_UPDATED, onWallclockTimeUpdated, this);
eventBus.on(_MediaPlayerEvents2['default'].METRIC_ADDED, onMetricAdded, this);
}
/*
* Called when current playback position is changed.
* Used to determine the time current stream is finished and we should switch to the next stream.
*/
function onPlaybackTimeUpdated() /*e*/{
if (isVideoTrackPresent()) {
var playbackQuality = videoModel.getPlaybackQuality();
if (playbackQuality) {
metricsModel.addDroppedFrames(_constantsConstants2['default'].VIDEO, playbackQuality);
}
}
}
function onWallclockTimeUpdated() /*e*/{
if (!mediaPlayerModel.getJumpGaps() || !activeStream || activeStream.getProcessors().length === 0 || playbackController.isSeeking() || isPaused || isStreamSwitchingInProgress || hasMediaError || hasInitialisationError) {
return;
}
wallclockTicked++;
if (wallclockTicked >= STALL_THRESHOLD_TO_CHECK_GAPS) {
var currentTime = playbackController.getTime();
if (lastPlaybackTime === currentTime) {
jumpGap(currentTime);
} else {
lastPlaybackTime = currentTime;
}
wallclockTicked = 0;
}
}
function jumpGap(time) {
var streamProcessors = activeStream.getProcessors();
var smallGapLimit = mediaPlayerModel.getSmallGapLimit();
var seekToPosition = undefined;
// Find out what is the right time position to jump to taking
// into account state of buffer
for (var i = 0; i < streamProcessors.length; i++) {
var mediaBuffer = streamProcessors[i].getBuffer();
var ranges = mediaBuffer.getAllBufferRanges();
var nextRangeStartTime = undefined;
if (!ranges || ranges.length <= 1) continue;
// Get the range just after current time position
for (var j = 0; j < ranges.length; j++) {
if (time < ranges.start(j)) {
nextRangeStartTime = ranges.start(j);
break;
}
}
if (nextRangeStartTime > 0) {
var gap = nextRangeStartTime - time;
if (gap > 0 && gap <= smallGapLimit) {
if (seekToPosition === undefined || nextRangeStartTime > seekToPosition) {
seekToPosition = nextRangeStartTime;
}
}
}
}
var timeToStreamEnd = playbackController.getTimeToStreamEnd();
if (seekToPosition === undefined && !isNaN(timeToStreamEnd) && timeToStreamEnd < smallGapLimit) {
seekToPosition = time + timeToStreamEnd;
}
// If there is a safe position to jump to, do the seeking
if (seekToPosition > 0) {
if (!isNaN(timeToStreamEnd) && seekToPosition >= time + timeToStreamEnd) {
logger.info('Jumping media gap (discontinuity) at time ', time, '. Jumping to end of the stream');
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_ENDED, { 'isLast': getActiveStreamInfo().isLast });
} else {
logger.info('Jumping media gap (discontinuity) at time ', time, '. Jumping to time position', seekToPosition);
playbackController.seek(seekToPosition);
}
}
}
function onPlaybackSeeking(e) {
var seekingStream = getStreamForTime(e.seekTime);
//if end period has been detected, stop timer and reset isStreamBufferingCompleted
if (playbackEndedTimerId) {
stopEndPeriodTimer();
isStreamBufferingCompleted = false;
}
if (preloadTimerId) {
stopPreloadTimer();
}
if (seekingStream === activeStream && preloading) {
// Seeking to the current period was requested while preloading the next one, deactivate preloading one
preloading.deactivate(true);
}
if (seekingStream && (seekingStream !== activeStream || preloading && !activeStream.isActive())) {
// If we're preloading other stream, the active one was deactivated and we need to switch back
flushPlaylistMetrics(_voMetricsPlayList.PlayListTrace.END_OF_PERIOD_STOP_REASON);
switchStream(activeStream, seekingStream, e.seekTime);
} else {
flushPlaylistMetrics(_voMetricsPlayList.PlayListTrace.USER_REQUEST_STOP_REASON);
}
addPlaylistMetrics(_voMetricsPlayList.PlayList.SEEK_START_REASON);
}
function onPlaybackStarted() /*e*/{
logger.debug('[onPlaybackStarted]');
if (initialPlayback) {
initialPlayback = false;
addPlaylistMetrics(_voMetricsPlayList.PlayList.INITIAL_PLAYOUT_START_REASON);
} else {
if (isPaused) {
isPaused = false;
addPlaylistMetrics(_voMetricsPlayList.PlayList.RESUME_FROM_PAUSE_START_REASON);
toggleEndPeriodTimer();
}
}
}
function onPlaybackPaused(e) {
logger.debug('[onPlaybackPaused]');
if (!e.ended) {
isPaused = true;
flushPlaylistMetrics(_voMetricsPlayList.PlayListTrace.USER_REQUEST_STOP_REASON);
toggleEndPeriodTimer();
}
}
function stopEndPeriodTimer() {
logger.debug('[toggleEndPeriodTimer] stop end period timer.');
clearTimeout(playbackEndedTimerId);
playbackEndedTimerId = undefined;
}
function stopPreloadTimer() {
logger.debug('[PreloadTimer] stop period preload timer.');
clearTimeout(preloadTimerId);
preloadTimerId = undefined;
}
function toggleEndPeriodTimer() {
//stream buffering completed has not been detected, nothing to do....
if (isStreamBufferingCompleted) {
//stream buffering completed has been detected, if end period timer is running, stop it, otherwise start it....
if (playbackEndedTimerId) {
stopEndPeriodTimer();
} else {
var timeToEnd = playbackController.getTimeToStreamEnd();
var delayPlaybackEnded = timeToEnd > 0 ? timeToEnd * 1000 : 0;
logger.debug('[toggleEndPeriodTimer] start-up of timer to notify PLAYBACK_ENDED event. It will be triggered in ' + delayPlaybackEnded + ' milliseconds');
playbackEndedTimerId = setTimeout(function () {
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_ENDED, { 'isLast': getActiveStreamInfo().isLast });
}, delayPlaybackEnded);
var preloadDelay = delayPlaybackEnded < 2000 ? delayPlaybackEnded / 4 : delayPlaybackEnded - 2000;
logger.info('[StreamController][toggleEndPeriodTimer] Going to fire preload in ' + preloadDelay);
preloadTimerId = setTimeout(onStreamCanLoadNext, preloadDelay);
}
}
}
function onStreamBufferingCompleted() {
var isLast = getActiveStreamInfo().isLast;
if (mediaSource && isLast) {
logger.info('[onStreamBufferingCompleted] calls signalEndOfStream of mediaSourceController.');
mediaSourceController.signalEndOfStream(mediaSource);
} else if (mediaSource && playbackEndedTimerId === undefined) {
//send PLAYBACK_ENDED in order to switch to a new period, wait until the end of playing
logger.info('[StreamController][onStreamBufferingCompleted] end of period detected');
isStreamBufferingCompleted = true;
if (isPaused === false) {
toggleEndPeriodTimer();
}
}
}
function onStreamCanLoadNext() {
var isLast = getActiveStreamInfo().isLast;
if (mediaSource && !isLast) {
(function () {
var newStream = getNextStream();
compatible = activeStream.isCompatibleWithStream(newStream);
if (compatible) {
logger.info('[StreamController][onStreamCanLoadNext] Preloading next stream');
activeStream.stopEventController();
activeStream.deactivate(true);
newStream.preload(mediaSource, buffers);
preloading = newStream;
newStream.getProcessors().forEach(function (p) {
adapter.setIndexHandlerTime(p, newStream.getStartTime());
});
}
})();
}
}
function getStreamForTime(time) {
var duration = 0;
var stream = null;
var ln = streams.length;
if (ln > 0) {
duration += streams[0].getStartTime();
}
for (var i = 0; i < ln; i++) {
stream = streams[i];
duration = parseFloat((duration + stream.getDuration()).toFixed(5));
if (time < duration) {
return stream;
}
}
return null;
}
/**
* Returns a playhead time, in seconds, converted to be relative
* to the start of an identified stream/period or null if no such stream
* @param {number} time
* @param {string} id
* @returns {number|null}
*/
function getTimeRelativeToStreamId(time, id) {
var stream = null;
var baseStart = 0;
var streamStart = 0;
var streamDur = null;
var ln = streams.length;
for (var i = 0; i < ln; i++) {
stream = streams[i];
streamStart = stream.getStartTime();
streamDur = stream.getDuration();
// use start time, if not undefined or NaN or similar
if (Number.isFinite(streamStart)) {
baseStart = streamStart;
}
if (stream.getId() === id) {
return time - baseStart;
} else {
// use duration if not undefined or NaN or similar
if (Number.isFinite(streamDur)) {
baseStart += streamDur;
}
}
}
return null;
}
function getActiveStreamProcessors() {
return activeStream ? activeStream.getProcessors() : [];
}
function onEnded() {
var nextStream = getNextStream();
if (nextStream) {
audioTrackDetected = undefined;
videoTrackDetected = undefined;
switchStream(activeStream, nextStream, NaN);
} else {
logger.debug('StreamController no next stream found');
}
flushPlaylistMetrics(nextStream ? _voMetricsPlayList.PlayListTrace.END_OF_PERIOD_STOP_REASON : _voMetricsPlayList.PlayListTrace.END_OF_CONTENT_STOP_REASON);
playbackEndedTimerId = undefined;
isStreamBufferingCompleted = false;
}
function getNextStream() {
if (activeStream) {
var _ret2 = (function () {
var start = activeStream.getStreamInfo().start;
var duration = activeStream.getStreamInfo().duration;
return {
v: streams.filter(function (stream) {
return stream.getStreamInfo().start === parseFloat((start + duration).toFixed(5));
})[0]
};
})();
if (typeof _ret2 === 'object') return _ret2.v;
}
}
function switchStream(oldStream, newStream, seekTime) {
if (isStreamSwitchingInProgress || !newStream || oldStream === newStream && newStream.isActive()) return;
isStreamSwitchingInProgress = true;
eventBus.trigger(_coreEventsEvents2['default'].PERIOD_SWITCH_STARTED, {
fromStreamInfo: oldStream ? oldStream.getStreamInfo() : null,
toStreamInfo: newStream.getStreamInfo()
});
compatible = false;
if (oldStream) {
oldStream.stopEventController();
compatible = activeStream.isCompatibleWithStream(newStream) && !seekTime || newStream.getPreloaded();
oldStream.deactivate(compatible);
}
activeStream = newStream;
preloading = false;
playbackController.initialize(activeStream.getStreamInfo(), compatible);
if (videoModel.getElement()) {
//TODO detect if we should close jump to activateStream.
openMediaSource(seekTime, oldStream, false, compatible);
} else {
preloadStream(seekTime);
}
}
function preloadStream(seekTime) {
activateStream(seekTime, compatible);
}
function switchToVideoElement(seekTime) {
if (activeStream) {
playbackController.initialize(activeStream.getStreamInfo());
openMediaSource(seekTime, null, true, false);
}
}
function openMediaSource(seekTime, oldStream, streamActivated, keepBuffers) {
var sourceUrl = undefined;
function onMediaSourceOpen() {
// Manage situations in which a call to reset happens while MediaSource is being opened
if (!mediaSource) return;
logger.debug('MediaSource is open!');
window.URL.revokeObjectURL(sourceUrl);
mediaSource.removeEventListener('sourceopen', onMediaSourceOpen);
mediaSource.removeEventListener('webkitsourceopen', onMediaSourceOpen);
setMediaDuration();
if (!oldStream) {
eventBus.trigger(_coreEventsEvents2['default'].SOURCE_INITIALIZED);
}
if (streamActivated) {
activeStream.setMediaSource(mediaSource);
} else {
activateStream(seekTime, keepBuffers);
}
}
if (!mediaSource) {
mediaSource = mediaSourceController.createMediaSource();
mediaSource.addEventListener('sourceopen', onMediaSourceOpen, false);
mediaSource.addEventListener('webkitsourceopen', onMediaSourceOpen, false);
sourceUrl = mediaSourceController.attachMediaSource(mediaSource, videoModel);
logger.debug('MediaSource attached to element. Waiting on open...');
} else {
if (keepBuffers) {
activateStream(seekTime, keepBuffers);
if (!oldStream) {
eventBus.trigger(_coreEventsEvents2['default'].SOURCE_INITIALIZED);
}
} else {
mediaSourceController.detachMediaSource(videoModel);
mediaSource.addEventListener('sourceopen', onMediaSourceOpen, false);
mediaSource.addEventListener('webkitsourceopen', onMediaSourceOpen, false);
sourceUrl = mediaSourceController.attachMediaSource(mediaSource, videoModel);
logger.debug('MediaSource attached to element. Waiting on open...');
}
}
}
function activateStream(seekTime, keepBuffers) {
buffers = activeStream.activate(mediaSource, keepBuffers ? buffers : undefined);
audioTrackDetected = checkTrackPresence(_constantsConstants2['default'].AUDIO);
videoTrackDetected = checkTrackPresence(_constantsConstants2['default'].VIDEO);
if (!initialPlayback) {
if (!isNaN(seekTime)) {
playbackController.seek(seekTime); //we only need to call seek here, IndexHandlerTime was set from seeking event
} else {
(function () {
var startTime = playbackController.getStreamStartTime(true);
if (!keepBuffers) {
activeStream.getProcessors().forEach(function (p) {
adapter.setIndexHandlerTime(p, startTime);
});
}
})();
}
}
activeStream.startEventController();
if (autoPlay || !initialPlayback) {
playbackController.play();
}
isStreamSwitchingInProgress = false;
eventBus.trigger(_coreEventsEvents2['default'].PERIOD_SWITCH_COMPLETED, {
toStreamInfo: activeStream.getStreamInfo()
});
}
function setMediaDuration(duration) {
var manifestDuration = duration ? duration : activeStream.getStreamInfo().manifestInfo.duration;
var mediaDuration = mediaSourceController.setDuration(mediaSource, manifestDuration);
logger.debug('Duration successfully set to: ' + mediaDuration);
}
function getComposedStream(streamInfo) {
for (var i = 0, ln = streams.length; i < ln; i++) {
if (streams[i].getId() === streamInfo.id) {
return streams[i];
}
}
return null;
}
function composeStreams() {
try {
var streamsInfo = adapter.getStreamsInfo();
if (streamsInfo.length === 0) {
throw new Error('There are no streams');
}
var manifestUpdateInfo = dashMetrics.getCurrentManifestUpdate(metricsModel.getMetricsFor(_constantsConstants2['default'].STREAM));
metricsModel.updateManifestUpdateInfo(manifestUpdateInfo, {
currentTime: playbackController.getTime(),
buffered: videoModel.getBufferRange(),
presentationStartTime: streamsInfo[0].start,
clientTimeOffset: timelineConverter.getClientTimeOffset()
});
for (var i = 0, ln = streamsInfo.length; i < ln; i++) {
// If the Stream object does not exist we probably loaded the manifest the first time or it was
// introduced in the updated manifest, so we need to create a new Stream and perform all the initialization operations
var streamInfo = streamsInfo[i];
var stream = getComposedStream(streamInfo);
if (!stream) {
stream = (0, _Stream2['default'])(context).create({
manifestModel: manifestModel,
dashManifestModel: dashManifestModel,
mediaPlayerModel: mediaPlayerModel,
metricsModel: metricsModel,
dashMetrics: dashMetrics,
manifestUpdater: manifestUpdater,
adapter: adapter,
timelineConverter: timelineConverter,
capabilities: capabilities,
errHandler: errHandler,
baseURLController: baseURLController,
domStorage: domStorage,
abrController: abrController,
playbackController: playbackController,
mediaController: mediaController,
textController: textController,
videoModel: videoModel,
streamController: instance
});
streams.push(stream);
stream.initialize(streamInfo, protectionController);
} else {
stream.updateData(streamInfo);
}
metricsModel.addManifestUpdateStreamInfo(manifestUpdateInfo, streamInfo.id, streamInfo.index, streamInfo.start, streamInfo.duration);
}
if (!activeStream) {
// we need to figure out what the correct starting period is
var startTimeFormUriParameters = playbackController.getStartTimeFromUriParameters();
var initialStream = null;
if (startTimeFormUriParameters) {
var initialTime = !isNaN(startTimeFormUriParameters.fragS) ? startTimeFormUriParameters.fragS : startTimeFormUriParameters.fragT;
initialStream = getStreamForTime(initialTime);
}
switchStream(null, initialStream !== null ? initialStream : streams[0], NaN);
}
eventBus.trigger(_coreEventsEvents2['default'].STREAMS_COMPOSED);
} catch (e) {
errHandler.manifestError(e.message, 'nostreamscomposed', manifestModel.getValue());
hasInitialisationError = true;
reset();
}
}
function onTimeSyncCompleted() /*e*/{
var manifest = manifestModel.getValue();
//TODO check if we can move this to initialize??
if (protectionController) {
eventBus.trigger(_coreEventsEvents2['default'].PROTECTION_CREATED, {
controller: protectionController,
manifest: manifest
});
protectionController.setMediaElement(videoModel.getElement());
if (protectionData) {
protectionController.setProtectionData(protectionData);
}
}
composeStreams();
}
function onManifestUpdated(e) {
if (!e.error) {
(function () {
//Since streams are not composed yet , need to manually look up useCalculatedLiveEdgeTime to detect if stream
//is SegmentTimeline to avoid using time source
var manifest = e.manifest;
adapter.updatePeriods(manifest);
var streamInfo = adapter.getStreamsInfo(undefined, 1)[0];
var mediaInfo = adapter.getMediaInfoForType(streamInfo, _constantsConstants2['default'].VIDEO) || adapter.getMediaInfoForType(streamInfo, _constantsConstants2['default'].AUDIO);
var useCalculatedLiveEdgeTime = undefined;
if (mediaInfo) {
useCalculatedLiveEdgeTime = dashManifestModel.getUseCalculatedLiveEdgeTimeForAdaptation(adapter.getDataForMedia(mediaInfo));
if (useCalculatedLiveEdgeTime) {
logger.debug('SegmentTimeline detected using calculated Live Edge Time');
mediaPlayerModel.setUseManifestDateHeaderTimeSource(false);
}
}
var manifestUTCTimingSources = dashManifestModel.getUTCTimingSources(e.manifest);
var allUTCTimingSources = !dashManifestModel.getIsDynamic(manifest) || useCalculatedLiveEdgeTime ? manifestUTCTimingSources : manifestUTCTimingSources.concat(mediaPlayerModel.getUTCTimingSources());
var isHTTPS = urlUtils.isHTTPS(e.manifest.url);
//If https is detected on manifest then lets apply that protocol to only the default time source(s). In the future we may find the need to apply this to more then just default so left code at this level instead of in MediaPlayer.
allUTCTimingSources.forEach(function (item) {
if (item.value.replace(/.*?:\/\//g, '') === _modelsMediaPlayerModel2['default'].DEFAULT_UTC_TIMING_SOURCE.value.replace(/.*?:\/\//g, '')) {
item.value = item.value.replace(isHTTPS ? new RegExp(/^(http:)?\/\//i) : new RegExp(/^(https:)?\/\//i), isHTTPS ? 'https://' : 'http://');
logger.debug('Matching default timing source protocol to manifest protocol: ', item.value);
}
});
baseURLController.initialize(manifest);
timeSyncController.setConfig({
metricsModel: metricsModel,
dashMetrics: dashMetrics,
baseURLController: baseURLController
});
timeSyncController.initialize(allUTCTimingSources, mediaPlayerModel.getUseManifestDateHeaderTimeSource());
})();
} else {
hasInitialisationError = true;
reset();
}
}
function isAudioTrackPresent() {
return audioTrackDetected;
}
function isVideoTrackPresent() {
return videoTrackDetected;
}
function checkTrackPresence(type) {
var isDetected = false;
if (activeStream) {
activeStream.getProcessors().forEach(function (p) {
if (p.getMediaInfo().type === type) {
isDetected = true;
}
});
}
return isDetected;
}
function flushPlaylistMetrics(reason, time) {
time = time || new Date();
if (playListMetrics) {
if (activeStream) {
activeStream.getProcessors().forEach(function (p) {
var ctrlr = p.getScheduleController();
if (ctrlr) {
ctrlr.finalisePlayList(time, reason);
}
});
}
metricsModel.addPlayList(playListMetrics);
playListMetrics = null;
}
}
function addPlaylistMetrics(startReason) {
playListMetrics = new _voMetricsPlayList.PlayList();
playListMetrics.start = new Date();
playListMetrics.mstart = playbackController.getTime() * 1000;
playListMetrics.starttype = startReason;
if (activeStream) {
activeStream.getProcessors().forEach(function (p) {
var ctrlr = p.getScheduleController();
if (ctrlr) {
ctrlr.setPlayList(playListMetrics);
}
});
}
}
function onPlaybackError(e) {
if (!e.error) return;
var msg = '';
switch (e.error.code) {
case 1:
msg = 'MEDIA_ERR_ABORTED';
break;
case 2:
msg = 'MEDIA_ERR_NETWORK';
break;
case 3:
msg = 'MEDIA_ERR_DECODE';
break;
case 4:
msg = 'MEDIA_ERR_SRC_NOT_SUPPORTED';
break;
case 5:
msg = 'MEDIA_ERR_ENCRYPTED';
break;
default:
msg = 'UNKNOWN';
break;
}
hasMediaError = true;
if (e.error.message) {
msg += ' (' + e.error.message + ')';
}
if (e.error.msExtendedCode) {
msg += ' (0x' + (e.error.msExtendedCode >>> 0).toString(16).toUpperCase() + ')';
}
logger.fatal('Video Element Error: ' + msg);
if (e.error) {
logger.fatal(e.error);
}
errHandler.mediaSourceError(msg);
reset();
}
function getActiveStreamInfo() {
return activeStream ? activeStream.getStreamInfo() : null;
}
function getStreamById(id) {
return streams.filter(function (item) {
return item.getId() === id;
})[0];
}
function checkSetConfigCall() {
if (!manifestLoader || !manifestLoader.hasOwnProperty('load') || !timelineConverter || !timelineConverter.hasOwnProperty('initialize') || !timelineConverter.hasOwnProperty('reset') || !timelineConverter.hasOwnProperty('getClientTimeOffset')) {
throw new Error('setConfig function has to be called previously');
}
}
function checkInitializeCall() {
if (!manifestUpdater || !manifestUpdater.hasOwnProperty('setManifest')) {
throw new Error('initialize function has to be called previously');
}
}
function load(url) {
checkSetConfigCall();
manifestLoader.load(url);
}
function loadWithManifest(manifest) {
checkInitializeCall();
manifestUpdater.setManifest(manifest);
}
function onManifestValidityChanged(e) {
if (!isNaN(e.newDuration)) {
setMediaDuration(e.newDuration);
}
}
function setConfig(config) {
if (!config) return;
if (config.capabilities) {
capabilities = config.capabilities;
}
if (config.manifestLoader) {
manifestLoader = config.manifestLoader;
}
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.mediaPlayerModel) {
mediaPlayerModel = config.mediaPlayerModel;
}
if (config.protectionController) {
protectionController = config.protectionController;
}
if (config.adapter) {
adapter = config.adapter;
}
if (config.metricsModel) {
metricsModel = config.metricsModel;
}
if (config.dashMetrics) {
dashMetrics = config.dashMetrics;
}
if (config.errHandler) {
errHandler = config.errHandler;
}
if (config.timelineConverter) {
timelineConverter = config.timelineConverter;
}
if (config.videoModel) {
videoModel = config.videoModel;
}
if (config.playbackController) {
playbackController = config.playbackController;
}
if (config.domStorage) {
domStorage = config.domStorage;
}
if (config.abrController) {
abrController = config.abrController;
}
if (config.mediaController) {
mediaController = config.mediaController;
}
if (config.textController) {
textController = config.textController;
}
}
function setProtectionData(protData) {
protectionData = protData;
}
function resetInitialSettings() {
streams = [];
protectionController = null;
isStreamSwitchingInProgress = false;
activeStream = null;
hasMediaError = false;
hasInitialisationError = false;
videoTrackDetected = undefined;
audioTrackDetected = undefined;
initialPlayback = true;
isPaused = false;
autoPlay = true;
playListMetrics = null;
playbackEndedTimerId = undefined;
isStreamBufferingCompleted = false;
wallclockTicked = 0;
}
function reset() {
checkSetConfigCall();
timeSyncController.reset();
flushPlaylistMetrics(hasMediaError || hasInitialisationError ? _voMetricsPlayList.PlayListTrace.FAILURE_STOP_REASON : _voMetricsPlayList.PlayListTrace.USER_REQUEST_STOP_REASON);
for (var i = 0, ln = streams ? streams.length : 0; i < ln; i++) {
var stream = streams[i];
stream.reset(hasMediaError);
}
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_TIME_UPDATED, onPlaybackTimeUpdated, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_ERROR, onPlaybackError, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_STARTED, onPlaybackStarted, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_PAUSED, onPlaybackPaused, this);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_ENDED, onEnded, this);
eventBus.off(_coreEventsEvents2['default'].MANIFEST_UPDATED, onManifestUpdated, this);
eventBus.off(_coreEventsEvents2['default'].STREAM_BUFFERING_COMPLETED, onStreamBufferingCompleted, this);
eventBus.off(_MediaPlayerEvents2['default'].METRIC_ADDED, onMetricAdded, this);
eventBus.off(_coreEventsEvents2['default'].MANIFEST_VALIDITY_CHANGED, onManifestValidityChanged, this);
baseURLController.reset();
manifestUpdater.reset();
metricsModel.clearAllCurrentMetrics();
manifestModel.setValue(null);
manifestLoader.reset();
timelineConverter.reset();
initCache.reset();
if (mediaSource) {
mediaSourceController.detachMediaSource(videoModel);
mediaSource = null;
}
videoModel = null;
if (protectionController) {
protectionController.setMediaElement(null);
protectionController = null;
protectionData = null;
if (manifestModel.getValue()) {
eventBus.trigger(_coreEventsEvents2['default'].PROTECTION_DESTROYED, {
data: manifestModel.getValue().url
});
}
}
eventBus.trigger(_coreEventsEvents2['default'].STREAM_TEARDOWN_COMPLETE);
resetInitialSettings();
}
function onMetricAdded(e) {
if (e.metric === _constantsMetricsConstants2['default'].DVR_INFO) {
//Match media type? How can DVR window be different for media types?
//Should we normalize and union the two?
if (e.mediaType === _constantsConstants2['default'].AUDIO) {
mediaSourceController.setSeekable(mediaSource, e.value.range.start, e.value.range.end);
}
}
}
instance = {
initialize: initialize,
getActiveStreamInfo: getActiveStreamInfo,
isVideoTrackPresent: isVideoTrackPresent,
isAudioTrackPresent: isAudioTrackPresent,
switchToVideoElement: switchToVideoElement,
getStreamById: getStreamById,
getStreamForTime: getStreamForTime,
getTimeRelativeToStreamId: getTimeRelativeToStreamId,
load: load,
loadWithManifest: loadWithManifest,
getActiveStreamProcessors: getActiveStreamProcessors,
setConfig: setConfig,
setProtectionData: setProtectionData,
reset: reset
};
setup();
return instance;
}
StreamController.__dashjs_factory_name = 'StreamController';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(StreamController);
module.exports = exports['default'];
},{"101":101,"107":107,"111":111,"116":116,"152":152,"158":158,"185":185,"45":45,"46":46,"47":47,"50":50,"90":90,"92":92,"95":95,"98":98,"99":99}],111:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _voDashJSError = _dereq_(163);
var _voDashJSError2 = _interopRequireDefault(_voDashJSError);
var _voMetricsHTTPRequest = _dereq_(183);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _utilsURLUtils = _dereq_(158);
var _utilsURLUtils2 = _interopRequireDefault(_utilsURLUtils);
var TIME_SYNC_FAILED_ERROR_CODE = 1;
var HTTP_TIMEOUT_MS = 5000;
function TimeSyncController() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var urlUtils = (0, _utilsURLUtils2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
offsetToDeviceTimeMs = undefined,
isSynchronizing = undefined,
isInitialised = undefined,
useManifestDateHeaderTimeSource = undefined,
handlers = undefined,
metricsModel = undefined,
dashMetrics = undefined,
baseURLController = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function initialize(timingSources, useManifestDateHeader) {
useManifestDateHeaderTimeSource = useManifestDateHeader;
offsetToDeviceTimeMs = 0;
isSynchronizing = false;
isInitialised = false;
// a list of known schemeIdUris and a method to call with @value
handlers = {
'urn:mpeg:dash:utc:http-head:2014': httpHeadHandler,
'urn:mpeg:dash:utc:http-xsdate:2014': httpHandler.bind(null, xsdatetimeDecoder),
'urn:mpeg:dash:utc:http-iso:2014': httpHandler.bind(null, iso8601Decoder),
'urn:mpeg:dash:utc:direct:2014': directHandler,
// some specs referencing early ISO23009-1 drafts incorrectly use
// 2012 in the URI, rather than 2014. support these for now.
'urn:mpeg:dash:utc:http-head:2012': httpHeadHandler,
'urn:mpeg:dash:utc:http-xsdate:2012': httpHandler.bind(null, xsdatetimeDecoder),
'urn:mpeg:dash:utc:http-iso:2012': httpHandler.bind(null, iso8601Decoder),
'urn:mpeg:dash:utc:direct:2012': directHandler,
// it isn't clear how the data returned would be formatted, and
// no public examples available so http-ntp not supported for now.
// presumably you would do an arraybuffer type xhr and decode the
// binary data returned but I would want to see a sample first.
'urn:mpeg:dash:utc:http-ntp:2014': notSupportedHandler,
// not clear how this would be supported in javascript (in browser)
'urn:mpeg:dash:utc:ntp:2014': notSupportedHandler,
'urn:mpeg:dash:utc:sntp:2014': notSupportedHandler
};
if (!getIsSynchronizing()) {
attemptSync(timingSources);
setIsInitialised(true);
}
}
function setConfig(config) {
if (!config) return;
if (config.metricsModel) {
metricsModel = config.metricsModel;
}
if (config.dashMetrics) {
dashMetrics = config.dashMetrics;
}
if (config.baseURLController) {
baseURLController = config.baseURLController;
}
}
function getOffsetToDeviceTimeMs() {
return getOffsetMs();
}
function setIsSynchronizing(value) {
isSynchronizing = value;
}
function getIsSynchronizing() {
return isSynchronizing;
}
function setIsInitialised(value) {
isInitialised = value;
}
function setOffsetMs(value) {
offsetToDeviceTimeMs = value;
}
function getOffsetMs() {
return offsetToDeviceTimeMs;
}
// takes xsdatetime and returns milliseconds since UNIX epoch
// may not be necessary as xsdatetime is very similar to ISO 8601
// which is natively understood by javascript Date parser
function alternateXsdatetimeDecoder(xsdatetimeStr) {
// taken from DashParser - should probably refactor both uses
var SECONDS_IN_MIN = 60;
var MINUTES_IN_HOUR = 60;
var MILLISECONDS_IN_SECONDS = 1000;
var datetimeRegex = /^([0-9]{4})-([0-9]{2})-([0-9]{2})T([0-9]{2}):([0-9]{2})(?::([0-9]*)(\.[0-9]*)?)?(?:([+\-])([0-9]{2})([0-9]{2}))?/;
var utcDate = undefined,
timezoneOffset = undefined;
var match = datetimeRegex.exec(xsdatetimeStr);
// If the string does not contain a timezone offset different browsers can interpret it either
// as UTC or as a local time so we have to parse the string manually to normalize the given date value for
// all browsers
utcDate = Date.UTC(parseInt(match[1], 10), parseInt(match[2], 10) - 1, // months start from zero
parseInt(match[3], 10), parseInt(match[4], 10), parseInt(match[5], 10), match[6] && (parseInt(match[6], 10) || 0), match[7] && parseFloat(match[7]) * MILLISECONDS_IN_SECONDS || 0);
// If the date has timezone offset take it into account as well
if (match[9] && match[10]) {
timezoneOffset = parseInt(match[9], 10) * MINUTES_IN_HOUR + parseInt(match[10], 10);
utcDate += (match[8] === '+' ? -1 : +1) * timezoneOffset * SECONDS_IN_MIN * MILLISECONDS_IN_SECONDS;
}
return new Date(utcDate).getTime();
}
// try to use the built in parser, since xsdate is a constrained ISO8601
// which is supported natively by Date.parse. if that fails, try a
// regex-based version used elsewhere in this application.
function xsdatetimeDecoder(xsdatetimeStr) {
var parsedDate = Date.parse(xsdatetimeStr);
if (isNaN(parsedDate)) {
parsedDate = alternateXsdatetimeDecoder(xsdatetimeStr);
}
return parsedDate;
}
// takes ISO 8601 timestamp and returns milliseconds since UNIX epoch
function iso8601Decoder(isoStr) {
return Date.parse(isoStr);
}
// takes RFC 1123 timestamp (which is same as ISO8601) and returns
// milliseconds since UNIX epoch
function rfc1123Decoder(dateStr) {
return Date.parse(dateStr);
}
function notSupportedHandler(url, onSuccessCB, onFailureCB) {
onFailureCB();
}
function directHandler(xsdatetimeStr, onSuccessCB, onFailureCB) {
var time = xsdatetimeDecoder(xsdatetimeStr);
if (!isNaN(time)) {
onSuccessCB(time);
return;
}
onFailureCB();
}
function httpHandler(decoder, url, onSuccessCB, onFailureCB, isHeadRequest) {
var oncomplete = undefined,
onload = undefined;
var complete = false;
var req = new XMLHttpRequest();
var verb = isHeadRequest ? _voMetricsHTTPRequest.HTTPRequest.HEAD : _voMetricsHTTPRequest.HTTPRequest.GET;
var urls = url.match(/\S+/g);
// according to ISO 23009-1, url could be a white-space
// separated list of URLs. just handle one at a time.
url = urls.shift();
oncomplete = function () {
if (complete) {
return;
}
// we only want to pass through here once per xhr,
// regardless of whether the load was successful.
complete = true;
// if there are more urls to try, call self.
if (urls.length) {
httpHandler(decoder, urls.join(' '), onSuccessCB, onFailureCB, isHeadRequest);
} else {
onFailureCB();
}
};
onload = function () {
var time = undefined,
result = undefined;
if (req.status === 200) {
time = isHeadRequest ? req.getResponseHeader('Date') : req.response;
result = decoder(time);
// decoder returns NaN if non-standard input
if (!isNaN(result)) {
onSuccessCB(result);
complete = true;
}
}
};
if (urlUtils.isRelative(url)) {
// passing no path to resolve will return just MPD BaseURL/baseUri
var baseUrl = baseURLController.resolve();
if (baseUrl) {
url = urlUtils.resolve(url, baseUrl.url);
}
}
req.open(verb, url);
req.timeout = HTTP_TIMEOUT_MS || 0;
req.onload = onload;
req.onloadend = oncomplete;
req.send();
}
function httpHeadHandler(url, onSuccessCB, onFailureCB) {
httpHandler(rfc1123Decoder, url, onSuccessCB, onFailureCB, true);
}
function checkForDateHeader() {
var metrics = metricsModel.getReadOnlyMetricsFor(_constantsConstants2['default'].STREAM);
var dateHeaderValue = dashMetrics.getLatestMPDRequestHeaderValueByID(metrics, 'Date');
var dateHeaderTime = dateHeaderValue !== null ? new Date(dateHeaderValue).getTime() : Number.NaN;
if (!isNaN(dateHeaderTime)) {
setOffsetMs(dateHeaderTime - new Date().getTime());
completeTimeSyncSequence(false, dateHeaderTime / 1000, offsetToDeviceTimeMs);
} else {
completeTimeSyncSequence(true);
}
}
function completeTimeSyncSequence(failed, time, offset) {
setIsSynchronizing(false);
eventBus.trigger(_coreEventsEvents2['default'].TIME_SYNCHRONIZATION_COMPLETED, { time: time, offset: offset, error: failed ? new _voDashJSError2['default'](TIME_SYNC_FAILED_ERROR_CODE) : null });
}
function attemptSync(sources, sourceIndex) {
// if called with no sourceIndex, use zero (highest priority)
var index = sourceIndex || 0;
// the sources should be ordered in priority from the manifest.
// try each in turn, from the top, until either something
// sensible happens, or we run out of sources to try.
var source = sources[index];
// callback to emit event to listeners
var onComplete = function onComplete(time, offset) {
var failed = !time || !offset;
if (failed && useManifestDateHeaderTimeSource) {
//Before falling back to binary search , check if date header exists on MPD. if so, use for a time source.
checkForDateHeader();
} else {
completeTimeSyncSequence(failed, time, offset);
}
};
setIsSynchronizing(true);
if (source) {
// check if there is a handler for this @schemeIdUri
if (handlers.hasOwnProperty(source.schemeIdUri)) {
// if so, call it with its @value
handlers[source.schemeIdUri](source.value, function (serverTime) {
// the timing source returned something useful
var deviceTime = new Date().getTime();
var offset = Math.trunc((serverTime - deviceTime) / 1000) * 1000;
setOffsetMs(offset);
logger.debug('Local time: ' + new Date(deviceTime));
logger.debug('Server time: ' + new Date(serverTime));
logger.info('Server Time - Local Time (ms): ' + offset);
onComplete(serverTime, offset);
}, function () {
// the timing source was probably uncontactable
// or returned something we can't use - try again
// with the remaining sources
attemptSync(sources, index + 1);
});
} else {
// an unknown schemeIdUri must have been found
// try again with the remaining sources
attemptSync(sources, index + 1);
}
} else {
// no valid time source could be found, just use device time
setOffsetMs(0);
onComplete();
}
}
function reset() {
setIsInitialised(false);
setIsSynchronizing(false);
}
instance = {
initialize: initialize,
getOffsetToDeviceTimeMs: getOffsetToDeviceTimeMs,
setConfig: setConfig,
reset: reset
};
setup();
return instance;
}
TimeSyncController.__dashjs_factory_name = 'TimeSyncController';
var factory = _coreFactoryMaker2['default'].getSingletonFactory(TimeSyncController);
factory.TIME_SYNC_FAILED_ERROR_CODE = TIME_SYNC_FAILED_ERROR_CODE;
factory.HTTP_TIMEOUT_MS = HTTP_TIMEOUT_MS;
_coreFactoryMaker2['default'].updateSingletonFactory(TimeSyncController.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"158":158,"163":163,"183":183,"45":45,"46":46,"47":47,"50":50,"98":98}],112:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _XlinkLoader = _dereq_(97);
var _XlinkLoader2 = _interopRequireDefault(_XlinkLoader);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _externalsXml2json = _dereq_(3);
var _externalsXml2json2 = _interopRequireDefault(_externalsXml2json);
var _utilsURLUtils = _dereq_(158);
var _utilsURLUtils2 = _interopRequireDefault(_utilsURLUtils);
var RESOLVE_TYPE_ONLOAD = 'onLoad';
var RESOLVE_TYPE_ONACTUATE = 'onActuate';
var ELEMENT_TYPE_PERIOD = 'Period';
var ELEMENT_TYPE_ADAPTATIONSET = 'AdaptationSet';
var ELEMENT_TYPE_EVENTSTREAM = 'EventStream';
var RESOLVE_TO_ZERO = 'urn:mpeg:dash:resolve-to-zero:2013';
function XlinkController(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var urlUtils = (0, _utilsURLUtils2['default'])(context).getInstance();
var instance = undefined,
matchers = undefined,
iron = undefined,
manifest = undefined,
converter = undefined,
xlinkLoader = undefined;
function setup() {
eventBus.on(_coreEventsEvents2['default'].XLINK_ELEMENT_LOADED, onXlinkElementLoaded, instance);
xlinkLoader = (0, _XlinkLoader2['default'])(context).create({
errHandler: config.errHandler,
metricsModel: config.metricsModel,
mediaPlayerModel: config.mediaPlayerModel,
requestModifier: config.requestModifier
});
}
function setMatchers(value) {
if (value) {
matchers = value;
}
}
function setIron(value) {
if (value) {
iron = value;
}
}
/**
* <p>Triggers the resolution of the xlink.onLoad attributes in the manifest file </p>
* @param {Object} mpd - the manifest
*/
function resolveManifestOnLoad(mpd) {
var elements = undefined;
// First resolve all periods, so unnecessary requests inside onLoad Periods with Default content are avoided
converter = new _externalsXml2json2['default']({
escapeMode: false,
attributePrefix: '',
arrayAccessForm: 'property',
emptyNodeForm: 'object',
stripWhitespaces: false,
enableToStringFunc: false,
ignoreRoot: true,
matchers: matchers
});
manifest = mpd;
elements = getElementsToResolve(manifest.Period_asArray, manifest, ELEMENT_TYPE_PERIOD, RESOLVE_TYPE_ONLOAD);
resolve(elements, ELEMENT_TYPE_PERIOD, RESOLVE_TYPE_ONLOAD);
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].XLINK_ELEMENT_LOADED, onXlinkElementLoaded, instance);
if (xlinkLoader) {
xlinkLoader.reset();
xlinkLoader = null;
}
}
function resolve(elements, type, resolveType) {
var resolveObject = {};
var element = undefined,
url = undefined;
resolveObject.elements = elements;
resolveObject.type = type;
resolveObject.resolveType = resolveType;
// If nothing to resolve, directly call allElementsLoaded
if (resolveObject.elements.length === 0) {
onXlinkAllElementsLoaded(resolveObject);
}
for (var i = 0; i < resolveObject.elements.length; i++) {
element = resolveObject.elements[i];
if (urlUtils.isHTTPURL(element.url)) {
url = element.url;
} else {
url = element.originalContent.BaseURL + element.url;
}
xlinkLoader.load(url, element, resolveObject);
}
}
function onXlinkElementLoaded(event) {
var element = undefined,
resolveObject = undefined;
var openingTag = '<response>';
var closingTag = '</response>';
var mergedContent = '';
element = event.element;
resolveObject = event.resolveObject;
// if the element resolved into content parse the content
if (element.resolvedContent) {
var index = 0;
// we add a parent elements so the converter is able to parse multiple elements of the same type which are not wrapped inside a container
if (element.resolvedContent.indexOf('<?xml') === 0) {
index = element.resolvedContent.indexOf('?>') + 2; //find the closing position of the xml declaration, if it exists.
}
mergedContent = element.resolvedContent.substr(0, index) + openingTag + element.resolvedContent.substr(index) + closingTag;
element.resolvedContent = converter.xml_str2json(mergedContent);
}
if (isResolvingFinished(resolveObject)) {
onXlinkAllElementsLoaded(resolveObject);
}
}
// We got to wait till all elements of the current queue are resolved before merging back
function onXlinkAllElementsLoaded(resolveObject) {
var elements = [];
var i = undefined,
obj = undefined;
mergeElementsBack(resolveObject);
if (resolveObject.resolveType === RESOLVE_TYPE_ONACTUATE) {
eventBus.trigger(_coreEventsEvents2['default'].XLINK_READY, { manifest: manifest });
}
if (resolveObject.resolveType === RESOLVE_TYPE_ONLOAD) {
switch (resolveObject.type) {
// Start resolving the other elements. We can do Adaptation Set and EventStream in parallel
case ELEMENT_TYPE_PERIOD:
for (i = 0; i < manifest[ELEMENT_TYPE_PERIOD + '_asArray'].length; i++) {
obj = manifest[ELEMENT_TYPE_PERIOD + '_asArray'][i];
if (obj.hasOwnProperty(ELEMENT_TYPE_ADAPTATIONSET + '_asArray')) {
elements = elements.concat(getElementsToResolve(obj[ELEMENT_TYPE_ADAPTATIONSET + '_asArray'], obj, ELEMENT_TYPE_ADAPTATIONSET, RESOLVE_TYPE_ONLOAD));
}
if (obj.hasOwnProperty(ELEMENT_TYPE_EVENTSTREAM + '_asArray')) {
elements = elements.concat(getElementsToResolve(obj[ELEMENT_TYPE_EVENTSTREAM + '_asArray'], obj, ELEMENT_TYPE_EVENTSTREAM, RESOLVE_TYPE_ONLOAD));
}
}
resolve(elements, ELEMENT_TYPE_ADAPTATIONSET, RESOLVE_TYPE_ONLOAD);
break;
case ELEMENT_TYPE_ADAPTATIONSET:
// TODO: Resolve SegmentList here
eventBus.trigger(_coreEventsEvents2['default'].XLINK_READY, { manifest: manifest });
break;
}
}
}
// Returns the elements with the specific resolve Type
function getElementsToResolve(elements, parentElement, type, resolveType) {
var toResolve = [];
var element = undefined,
i = undefined,
xlinkObject = undefined;
// first remove all the resolve-to-zero elements
for (i = elements.length - 1; i >= 0; i--) {
element = elements[i];
if (element.hasOwnProperty('xlink:href') && element['xlink:href'] === RESOLVE_TO_ZERO) {
elements.splice(i, 1);
}
}
// now get the elements with the right resolve type
for (i = 0; i < elements.length; i++) {
element = elements[i];
if (element.hasOwnProperty('xlink:href') && element.hasOwnProperty('xlink:actuate') && element['xlink:actuate'] === resolveType) {
xlinkObject = createXlinkObject(element['xlink:href'], parentElement, type, i, resolveType, element);
toResolve.push(xlinkObject);
}
}
return toResolve;
}
function mergeElementsBack(resolveObject) {
var resolvedElements = [];
var element = undefined,
type = undefined,
obj = undefined,
i = undefined,
j = undefined,
k = undefined;
// Start merging back from the end because of index shifting. Note that the elements with the same parent have to be ordered by index ascending
for (i = resolveObject.elements.length - 1; i >= 0; i--) {
element = resolveObject.elements[i];
type = element.type + '_asArray';
// Element couldn't be resolved or is TODO Inappropriate target: Remove all Xlink attributes
if (!element.resolvedContent || isInappropriateTarget()) {
delete element.originalContent['xlink:actuate'];
delete element.originalContent['xlink:href'];
resolvedElements.push(element.originalContent);
}
// Element was successfully resolved
else if (element.resolvedContent) {
for (j = 0; j < element.resolvedContent[type].length; j++) {
//TODO Contains another Xlink attribute with xlink:actuate set to onload. Remove all xLink attributes
obj = element.resolvedContent[type][j];
resolvedElements.push(obj);
}
}
// Replace the old elements in the parent with the resolved ones
element.parentElement[type].splice(element.index, 1);
for (k = 0; k < resolvedElements.length; k++) {
element.parentElement[type].splice(element.index + k, 0, resolvedElements[k]);
}
resolvedElements = [];
}
if (resolveObject.elements.length > 0) {
iron.run(manifest);
}
}
function createXlinkObject(url, parentElement, type, index, resolveType, originalContent) {
return {
url: url,
parentElement: parentElement,
type: type,
index: index,
resolveType: resolveType,
originalContent: originalContent,
resolvedContent: null,
resolved: false
};
}
// Check if all pending requests are finished
function isResolvingFinished(elementsToResolve) {
var i = undefined,
obj = undefined;
for (i = 0; i < elementsToResolve.elements.length; i++) {
obj = elementsToResolve.elements[i];
if (obj.resolved === false) {
return false;
}
}
return true;
}
// TODO : Do some syntax check here if the target is valid or not
function isInappropriateTarget() {
return false;
}
instance = {
resolveManifestOnLoad: resolveManifestOnLoad,
setMatchers: setMatchers,
setIron: setIron,
reset: reset
};
setup();
return instance;
}
XlinkController.__dashjs_factory_name = 'XlinkController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(XlinkController);
module.exports = exports['default'];
},{"158":158,"3":3,"46":46,"47":47,"50":50,"97":97}],113:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var _utilsObjectUtils = _dereq_(155);
var _utilsObjectUtils2 = _interopRequireDefault(_utilsObjectUtils);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var DEFAULT_INDEX = NaN;
var Node = function Node(_baseUrls, _selectedIdx) {
_classCallCheck(this, Node);
this.data = {
baseUrls: _baseUrls || null,
selectedIdx: _selectedIdx || DEFAULT_INDEX
};
this.children = [];
};
function BaseURLTreeModel() {
var instance = undefined;
var root = undefined;
var dashManifestModel = undefined;
var context = this.context;
var objectUtils = (0, _utilsObjectUtils2['default'])(context).getInstance();
function setup() {
reset();
}
function setConfig(config) {
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
}
function updateChildData(node, index, element) {
var baseUrls = dashManifestModel.getBaseURLsFromElement(element);
if (!node[index]) {
node[index] = new Node(baseUrls);
} else {
if (!objectUtils.areEqual(baseUrls, node[index].data.baseUrls)) {
node[index].data.baseUrls = baseUrls;
node[index].data.selectedIdx = DEFAULT_INDEX;
}
}
}
function getBaseURLCollectionsFromManifest(manifest) {
var baseUrls = dashManifestModel.getBaseURLsFromElement(manifest);
if (!objectUtils.areEqual(baseUrls, root.data.baseUrls)) {
root.data.baseUrls = baseUrls;
root.data.selectedIdx = DEFAULT_INDEX;
}
if (manifest.Period_asArray) {
manifest.Period_asArray.forEach(function (p, pi) {
updateChildData(root.children, pi, p);
if (p.AdaptationSet_asArray) {
p.AdaptationSet_asArray.forEach(function (a, ai) {
updateChildData(root.children[pi].children, ai, a);
if (a.Representation_asArray) {
a.Representation_asArray.sort(dashManifestModel.getRepresentationSortFunction()).forEach(function (r, ri) {
updateChildData(root.children[pi].children[ai].children, ri, r);
});
}
});
}
});
}
}
function walk(callback, node) {
var target = node || root;
callback(target.data);
if (target.children) {
target.children.forEach(function (child) {
return walk(callback, child);
});
}
}
function invalidateSelectedIndexes(serviceLocation) {
walk(function (data) {
if (!isNaN(data.selectedIdx)) {
if (serviceLocation === data.baseUrls[data.selectedIdx].serviceLocation) {
data.selectedIdx = DEFAULT_INDEX;
}
}
});
}
function update(manifest) {
getBaseURLCollectionsFromManifest(manifest);
}
function reset() {
root = new Node();
}
function getForPath(path) {
var target = root;
var nodes = [target.data];
if (path) {
path.forEach(function (p) {
target = target.children[p];
if (target) {
nodes.push(target.data);
}
});
}
return nodes.filter(function (n) {
return n.baseUrls.length;
});
}
instance = {
reset: reset,
update: update,
getForPath: getForPath,
invalidateSelectedIndexes: invalidateSelectedIndexes,
setConfig: setConfig
};
setup();
return instance;
}
BaseURLTreeModel.__dashjs_factory_name = 'BaseURLTreeModel';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(BaseURLTreeModel);
module.exports = exports['default'];
},{"155":155,"47":47}],114:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _voFragmentRequest = _dereq_(165);
var _voFragmentRequest2 = _interopRequireDefault(_voFragmentRequest);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var FRAGMENT_MODEL_LOADING = 'loading';
var FRAGMENT_MODEL_EXECUTED = 'executed';
var FRAGMENT_MODEL_CANCELED = 'canceled';
var FRAGMENT_MODEL_FAILED = 'failed';
function FragmentModel(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var metricsModel = config.metricsModel;
var fragmentLoader = config.fragmentLoader;
var instance = undefined,
logger = undefined,
streamProcessor = undefined,
executedRequests = undefined,
loadingRequests = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].LOADING_COMPLETED, onLoadingCompleted, instance);
eventBus.on(_coreEventsEvents2['default'].LOADING_DATA_PROGRESS, onLoadingInProgress, instance);
eventBus.on(_coreEventsEvents2['default'].LOADING_ABANDONED, onLoadingAborted, instance);
}
function setStreamProcessor(value) {
streamProcessor = value;
}
function getStreamProcessor() {
return streamProcessor;
}
function isFragmentLoaded(request) {
var isEqualComplete = function isEqualComplete(req1, req2) {
return req1.action === _voFragmentRequest2['default'].ACTION_COMPLETE && req1.action === req2.action;
};
var isEqualMedia = function isEqualMedia(req1, req2) {
return !isNaN(req1.index) && req1.startTime === req2.startTime && req1.adaptationIndex === req2.adaptationIndex && req1.type === req2.type;
};
var isEqualInit = function isEqualInit(req1, req2) {
return isNaN(req1.index) && isNaN(req2.index) && req1.quality === req2.quality;
};
var check = function check(requests) {
var isLoaded = false;
requests.some(function (req) {
if (isEqualMedia(request, req) || isEqualInit(request, req) || isEqualComplete(request, req)) {
isLoaded = true;
return isLoaded;
}
});
return isLoaded;
};
if (!request) {
return false;
}
return check(executedRequests);
}
function isFragmentLoadedOrPending(request) {
var isLoaded = false;
var i = 0;
var req = undefined;
// First, check if the fragment has already been loaded
isLoaded = isFragmentLoaded(request);
// Then, check if the fragment is about to be loeaded
if (!isLoaded) {
for (i = 0; i < loadingRequests.length; i++) {
req = loadingRequests[i];
if (request.url === req.url && request.startTime === req.startTime) {
isLoaded = true;
}
}
}
return isLoaded;
}
/**
*
* Gets an array of {@link FragmentRequest} objects
*
* @param {Object} filter The object with properties by which the method filters the requests to be returned.
* the only mandatory property is state, which must be a value from
* other properties should match the properties of {@link FragmentRequest}. E.g.:
* getRequests({state: FragmentModel.FRAGMENT_MODEL_EXECUTED, quality: 0}) - returns
* all the requests from executedRequests array where requests.quality = filter.quality
*
* @returns {Array}
* @memberof FragmentModel#
*/
function getRequests(filter) {
var states = filter ? filter.state instanceof Array ? filter.state : [filter.state] : [];
var filteredRequests = [];
states.forEach(function (state) {
var requests = getRequestsForState(state);
filteredRequests = filteredRequests.concat(filterRequests(requests, filter));
});
return filteredRequests;
}
function getRequestThreshold(req) {
return isNaN(req.duration) ? 0.25 : req.duration / 8;
}
function removeExecutedRequestsBeforeTime(time) {
executedRequests = executedRequests.filter(function (req) {
var threshold = getRequestThreshold(req);
return isNaN(req.startTime) || (time !== undefined ? req.startTime >= time - threshold : false);
});
}
function removeExecutedRequestsAfterTime(time) {
executedRequests = executedRequests.filter(function (req) {
return isNaN(req.startTime) || (time !== undefined ? req.startTime + req.duration < time : false);
});
}
function removeExecutedRequestsInTimeRange(start, end) {
if (end <= start + 0.5) {
return;
}
executedRequests = executedRequests.filter(function (req) {
var threshold = getRequestThreshold(req);
return isNaN(req.startTime) || req.startTime >= end - threshold || isNaN(req.duration) || req.startTime + req.duration <= start + threshold;
});
}
// Remove requests that are not "represented" by any of buffered ranges
function syncExecutedRequestsWithBufferedRange(bufferedRanges, streamDuration) {
if (!bufferedRanges || bufferedRanges.length === 0) {
removeExecutedRequestsBeforeTime();
return;
}
var start = 0;
for (var i = 0, ln = bufferedRanges.length; i < ln; i++) {
removeExecutedRequestsInTimeRange(start, bufferedRanges.start(i));
start = bufferedRanges.end(i);
}
if (streamDuration > 0) {
removeExecutedRequestsInTimeRange(start, streamDuration);
}
}
function abortRequests() {
fragmentLoader.abort();
loadingRequests = [];
}
function executeRequest(request) {
switch (request.action) {
case _voFragmentRequest2['default'].ACTION_COMPLETE:
executedRequests.push(request);
addSchedulingInfoMetrics(request, FRAGMENT_MODEL_EXECUTED);
logger.debug('executeRequest trigger STREAM_COMPLETED');
eventBus.trigger(_coreEventsEvents2['default'].STREAM_COMPLETED, {
request: request,
fragmentModel: this
});
break;
case _voFragmentRequest2['default'].ACTION_DOWNLOAD:
addSchedulingInfoMetrics(request, FRAGMENT_MODEL_LOADING);
loadingRequests.push(request);
loadCurrentFragment(request);
break;
default:
logger.warn('Unknown request action.');
}
}
function loadCurrentFragment(request) {
eventBus.trigger(_coreEventsEvents2['default'].FRAGMENT_LOADING_STARTED, {
sender: instance,
request: request
});
fragmentLoader.load(request);
}
function getRequestForTime(arr, time, threshold) {
// loop through the executed requests and pick the one for which the playback interval matches the given time
var lastIdx = arr.length - 1;
for (var i = lastIdx; i >= 0; i--) {
var req = arr[i];
var start = req.startTime;
var end = start + req.duration;
threshold = !isNaN(threshold) ? threshold : getRequestThreshold(req);
if (!isNaN(start) && !isNaN(end) && time + threshold >= start && time - threshold < end || isNaN(start) && isNaN(time)) {
return req;
}
}
return null;
}
function filterRequests(arr, filter) {
// for time use a specific filtration function
if (filter.hasOwnProperty('time')) {
return [getRequestForTime(arr, filter.time, filter.threshold)];
}
return arr.filter(function (request) {
for (var prop in filter) {
if (prop === 'state') continue;
if (filter.hasOwnProperty(prop) && request[prop] != filter[prop]) return false;
}
return true;
});
}
function getRequestsForState(state) {
var requests = undefined;
switch (state) {
case FRAGMENT_MODEL_LOADING:
requests = loadingRequests;
break;
case FRAGMENT_MODEL_EXECUTED:
requests = executedRequests;
break;
default:
requests = [];
}
return requests;
}
function addSchedulingInfoMetrics(request, state) {
metricsModel.addSchedulingInfo(request.mediaType, new Date(), request.type, request.startTime, request.availabilityStartTime, request.duration, request.quality, request.range, state);
metricsModel.addRequestsQueue(request.mediaType, loadingRequests, executedRequests);
}
function onLoadingCompleted(e) {
if (e.sender !== fragmentLoader) return;
loadingRequests.splice(loadingRequests.indexOf(e.request), 1);
if (e.response && !e.error) {
executedRequests.push(e.request);
}
addSchedulingInfoMetrics(e.request, e.error ? FRAGMENT_MODEL_FAILED : FRAGMENT_MODEL_EXECUTED);
eventBus.trigger(_coreEventsEvents2['default'].FRAGMENT_LOADING_COMPLETED, {
request: e.request,
response: e.response,
error: e.error,
sender: this
});
}
function onLoadingInProgress(e) {
if (e.sender !== fragmentLoader) return;
eventBus.trigger(_coreEventsEvents2['default'].FRAGMENT_LOADING_PROGRESS, {
request: e.request,
response: e.response,
error: e.error,
sender: this
});
}
function onLoadingAborted(e) {
if (e.sender !== fragmentLoader) return;
eventBus.trigger(_coreEventsEvents2['default'].FRAGMENT_LOADING_ABANDONED, { streamProcessor: this.getStreamProcessor(), request: e.request, mediaType: e.mediaType });
}
function resetInitialSettings() {
executedRequests = [];
loadingRequests = [];
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].LOADING_COMPLETED, onLoadingCompleted, this);
eventBus.off(_coreEventsEvents2['default'].LOADING_DATA_PROGRESS, onLoadingInProgress, this);
eventBus.off(_coreEventsEvents2['default'].LOADING_ABANDONED, onLoadingAborted, this);
if (fragmentLoader) {
fragmentLoader.reset();
}
resetInitialSettings();
}
function addExecutedRequest(request) {
executedRequests.push(request);
}
instance = {
setStreamProcessor: setStreamProcessor,
getStreamProcessor: getStreamProcessor,
getRequests: getRequests,
isFragmentLoaded: isFragmentLoaded,
isFragmentLoadedOrPending: isFragmentLoadedOrPending,
removeExecutedRequestsBeforeTime: removeExecutedRequestsBeforeTime,
removeExecutedRequestsAfterTime: removeExecutedRequestsAfterTime,
syncExecutedRequestsWithBufferedRange: syncExecutedRequestsWithBufferedRange,
abortRequests: abortRequests,
executeRequest: executeRequest,
reset: reset,
addExecutedRequest: addExecutedRequest
};
setup();
return instance;
}
FragmentModel.__dashjs_factory_name = 'FragmentModel';
var factory = _coreFactoryMaker2['default'].getClassFactory(FragmentModel);
factory.FRAGMENT_MODEL_LOADING = FRAGMENT_MODEL_LOADING;
factory.FRAGMENT_MODEL_EXECUTED = FRAGMENT_MODEL_EXECUTED;
factory.FRAGMENT_MODEL_CANCELED = FRAGMENT_MODEL_CANCELED;
factory.FRAGMENT_MODEL_FAILED = FRAGMENT_MODEL_FAILED;
_coreFactoryMaker2['default'].updateClassFactory(FragmentModel.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"165":165,"45":45,"46":46,"47":47,"50":50}],115:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function ManifestModel() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
manifest = undefined;
function getValue() {
return manifest;
}
function setValue(value) {
manifest = value;
if (value) {
eventBus.trigger(_coreEventsEvents2['default'].MANIFEST_LOADED, { data: value });
}
}
instance = {
getValue: getValue,
setValue: setValue
};
return instance;
}
ManifestModel.__dashjs_factory_name = 'ManifestModel';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(ManifestModel);
module.exports = exports['default'];
},{"46":46,"47":47,"50":50}],116:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _voMetricsHTTPRequest = _dereq_(183);
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var DEFAULT_UTC_TIMING_SOURCE = {
scheme: 'urn:mpeg:dash:utc:http-xsdate:2014',
value: 'http://time.akamai.com/?iso'
};
var LIVE_DELAY_FRAGMENT_COUNT = 4;
var DEFAULT_LOCAL_STORAGE_BITRATE_EXPIRATION = 360000;
var DEFAULT_LOCAL_STORAGE_MEDIA_SETTINGS_EXPIRATION = 360000;
var BANDWIDTH_SAFETY_FACTOR = 0.9;
var ABANDON_LOAD_TIMEOUT = 10000;
var BUFFER_TO_KEEP = 20;
var BUFFER_AHEAD_TO_KEEP = 80;
var BUFFER_PRUNING_INTERVAL = 10;
var DEFAULT_MIN_BUFFER_TIME = 12;
var DEFAULT_MIN_BUFFER_TIME_FAST_SWITCH = 20;
var BUFFER_TIME_AT_TOP_QUALITY = 30;
var BUFFER_TIME_AT_TOP_QUALITY_LONG_FORM = 60;
var LONG_FORM_CONTENT_DURATION_THRESHOLD = 600;
var SEGMENT_OVERLAP_TOLERANCE_TIME = 0.2;
var SMALL_GAP_LIMIT = 0.8;
var MANIFEST_UPDATE_RETRY_INTERVAL = 100;
var CACHE_LOAD_THRESHOLD_VIDEO = 50;
var CACHE_LOAD_THRESHOLD_AUDIO = 5;
var FRAGMENT_RETRY_ATTEMPTS = 3;
var FRAGMENT_RETRY_INTERVAL = 1000;
var MANIFEST_RETRY_ATTEMPTS = 3;
var MANIFEST_RETRY_INTERVAL = 500;
var XLINK_RETRY_ATTEMPTS = 1;
var XLINK_RETRY_INTERVAL = 500;
var DEFAULT_LOW_LATENCY_LIVE_DELAY = 2.8;
var LOW_LATENCY_REDUCTION_FACTOR = 10;
var LOW_LATENCY_MULTIPLY_FACTOR = 5;
//This value influences the startup time for live (in ms).
var WALLCLOCK_TIME_UPDATE_INTERVAL = 50;
var DEFAULT_XHR_WITH_CREDENTIALS = false;
function MediaPlayerModel() {
var instance = undefined,
useManifestDateHeaderTimeSource = undefined,
useSuggestedPresentationDelay = undefined,
UTCTimingSources = undefined,
liveDelayFragmentCount = undefined,
liveDelay = undefined,
scheduleWhilePaused = undefined,
bufferToKeep = undefined,
bufferAheadToKeep = undefined,
bufferPruningInterval = undefined,
lastBitrateCachingInfo = undefined,
lastMediaSettingsCachingInfo = undefined,
stableBufferTime = undefined,
bufferTimeAtTopQuality = undefined,
bufferTimeAtTopQualityLongForm = undefined,
longFormContentDurationThreshold = undefined,
segmentOverlapToleranceTime = undefined,
bandwidthSafetyFactor = undefined,
abandonLoadTimeout = undefined,
retryAttempts = undefined,
retryIntervals = undefined,
wallclockTimeUpdateInterval = undefined,
ABRStrategy = undefined,
useDefaultABRRules = undefined,
xhrWithCredentials = undefined,
fastSwitchEnabled = undefined,
customABRRule = undefined,
movingAverageMethod = undefined,
cacheLoadThresholds = undefined,
jumpGaps = undefined,
smallGapLimit = undefined,
lowLatencyEnabled = undefined,
manifestUpdateRetryInterval = undefined,
keepProtectionMediaKeys = undefined;
function setup() {
var _retryAttempts, _retryIntervals;
UTCTimingSources = [];
useSuggestedPresentationDelay = false;
useManifestDateHeaderTimeSource = true;
scheduleWhilePaused = true;
ABRStrategy = _constantsConstants2['default'].ABR_STRATEGY_DYNAMIC;
useDefaultABRRules = true;
fastSwitchEnabled = false;
lastBitrateCachingInfo = {
enabled: true,
ttl: DEFAULT_LOCAL_STORAGE_BITRATE_EXPIRATION
};
lastMediaSettingsCachingInfo = {
enabled: true,
ttl: DEFAULT_LOCAL_STORAGE_MEDIA_SETTINGS_EXPIRATION
};
liveDelayFragmentCount = LIVE_DELAY_FRAGMENT_COUNT;
liveDelay = undefined; // Explicitly state that default is undefined
bufferToKeep = BUFFER_TO_KEEP;
bufferAheadToKeep = BUFFER_AHEAD_TO_KEEP;
bufferPruningInterval = BUFFER_PRUNING_INTERVAL;
stableBufferTime = NaN;
bufferTimeAtTopQuality = BUFFER_TIME_AT_TOP_QUALITY;
bufferTimeAtTopQualityLongForm = BUFFER_TIME_AT_TOP_QUALITY_LONG_FORM;
longFormContentDurationThreshold = LONG_FORM_CONTENT_DURATION_THRESHOLD;
segmentOverlapToleranceTime = SEGMENT_OVERLAP_TOLERANCE_TIME;
bandwidthSafetyFactor = BANDWIDTH_SAFETY_FACTOR;
abandonLoadTimeout = ABANDON_LOAD_TIMEOUT;
wallclockTimeUpdateInterval = WALLCLOCK_TIME_UPDATE_INTERVAL;
jumpGaps = false;
smallGapLimit = SMALL_GAP_LIMIT;
manifestUpdateRetryInterval = MANIFEST_UPDATE_RETRY_INTERVAL;
xhrWithCredentials = {
'default': DEFAULT_XHR_WITH_CREDENTIALS
};
customABRRule = [];
movingAverageMethod = _constantsConstants2['default'].MOVING_AVERAGE_SLIDING_WINDOW;
lowLatencyEnabled = false;
retryAttempts = (_retryAttempts = {}, _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.MPD_TYPE, MANIFEST_RETRY_ATTEMPTS), _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.XLINK_EXPANSION_TYPE, XLINK_RETRY_ATTEMPTS), _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE, FRAGMENT_RETRY_ATTEMPTS), _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE, FRAGMENT_RETRY_ATTEMPTS), _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.BITSTREAM_SWITCHING_SEGMENT_TYPE, FRAGMENT_RETRY_ATTEMPTS), _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.INDEX_SEGMENT_TYPE, FRAGMENT_RETRY_ATTEMPTS), _defineProperty(_retryAttempts, _voMetricsHTTPRequest.HTTPRequest.OTHER_TYPE, FRAGMENT_RETRY_ATTEMPTS), _retryAttempts);
retryIntervals = (_retryIntervals = {}, _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.MPD_TYPE, MANIFEST_RETRY_INTERVAL), _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.XLINK_EXPANSION_TYPE, XLINK_RETRY_INTERVAL), _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE, FRAGMENT_RETRY_INTERVAL), _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE, FRAGMENT_RETRY_INTERVAL), _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.BITSTREAM_SWITCHING_SEGMENT_TYPE, FRAGMENT_RETRY_INTERVAL), _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.INDEX_SEGMENT_TYPE, FRAGMENT_RETRY_INTERVAL), _defineProperty(_retryIntervals, _voMetricsHTTPRequest.HTTPRequest.OTHER_TYPE, FRAGMENT_RETRY_INTERVAL), _retryIntervals);
cacheLoadThresholds = {};
cacheLoadThresholds[_constantsConstants2['default'].VIDEO] = CACHE_LOAD_THRESHOLD_VIDEO;
cacheLoadThresholds[_constantsConstants2['default'].AUDIO] = CACHE_LOAD_THRESHOLD_AUDIO;
keepProtectionMediaKeys = false;
}
//TODO Should we use Object.define to have setters/getters? makes more readable code on other side.
function setABRStrategy(value) {
ABRStrategy = value;
}
function getABRStrategy() {
return ABRStrategy;
}
function setUseDefaultABRRules(value) {
useDefaultABRRules = value;
}
function getUseDefaultABRRules() {
return useDefaultABRRules;
}
function findABRCustomRule(rulename) {
var i = undefined;
for (i = 0; i < customABRRule.length; i++) {
if (customABRRule[i].rulename === rulename) {
return i;
}
}
return -1;
}
function getABRCustomRules() {
return customABRRule;
}
function addABRCustomRule(type, rulename, rule) {
var index = findABRCustomRule(rulename);
if (index === -1) {
// add rule
customABRRule.push({
type: type,
rulename: rulename,
rule: rule
});
} else {
// update rule
customABRRule[index].type = type;
customABRRule[index].rule = rule;
}
}
function removeABRCustomRule(rulename) {
var index = findABRCustomRule(rulename);
if (index !== -1) {
// remove rule
customABRRule.splice(index, 1);
}
}
function removeAllABRCustomRule() {
customABRRule = [];
}
function setBandwidthSafetyFactor(value) {
bandwidthSafetyFactor = value;
}
function getBandwidthSafetyFactor() {
return bandwidthSafetyFactor;
}
function setAbandonLoadTimeout(value) {
abandonLoadTimeout = value;
}
function getAbandonLoadTimeout() {
return abandonLoadTimeout;
}
function setStableBufferTime(value) {
stableBufferTime = value;
}
function getStableBufferTime() {
var result = !isNaN(stableBufferTime) ? stableBufferTime : fastSwitchEnabled ? DEFAULT_MIN_BUFFER_TIME_FAST_SWITCH : DEFAULT_MIN_BUFFER_TIME;
return getLowLatencyEnabled() ? result / LOW_LATENCY_REDUCTION_FACTOR : result;
}
function setBufferTimeAtTopQuality(value) {
bufferTimeAtTopQuality = value;
}
function getBufferTimeAtTopQuality() {
return bufferTimeAtTopQuality;
}
function setBufferTimeAtTopQualityLongForm(value) {
bufferTimeAtTopQualityLongForm = value;
}
function getBufferTimeAtTopQualityLongForm() {
return bufferTimeAtTopQualityLongForm;
}
function setLongFormContentDurationThreshold(value) {
longFormContentDurationThreshold = value;
}
function getLongFormContentDurationThreshold() {
return longFormContentDurationThreshold;
}
function setSegmentOverlapToleranceTime(value) {
segmentOverlapToleranceTime = value;
}
function getSegmentOverlapToleranceTime() {
return segmentOverlapToleranceTime;
}
function setCacheLoadThresholdForType(type, value) {
cacheLoadThresholds[type] = value;
}
function getCacheLoadThresholdForType(type) {
return cacheLoadThresholds[type];
}
function setBufferToKeep(value) {
bufferToKeep = value;
}
function getBufferToKeep() {
return bufferToKeep;
}
function setBufferAheadToKeep(value) {
bufferAheadToKeep = value;
}
function getBufferAheadToKeep() {
return bufferAheadToKeep;
}
function setLastBitrateCachingInfo(enable, ttl) {
lastBitrateCachingInfo.enabled = enable;
if (ttl !== undefined && !isNaN(ttl) && typeof ttl === 'number') {
lastBitrateCachingInfo.ttl = ttl;
}
}
function getLastBitrateCachingInfo() {
return lastBitrateCachingInfo;
}
function setLastMediaSettingsCachingInfo(enable, ttl) {
lastMediaSettingsCachingInfo.enabled = enable;
if (ttl !== undefined && !isNaN(ttl) && typeof ttl === 'number') {
lastMediaSettingsCachingInfo.ttl = ttl;
}
}
function getLastMediaSettingsCachingInfo() {
return lastMediaSettingsCachingInfo;
}
function setBufferPruningInterval(value) {
bufferPruningInterval = value;
}
function getBufferPruningInterval() {
return bufferPruningInterval;
}
function setFragmentRetryAttempts(value) {
retryAttempts[_voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE] = value;
}
function setManifestRetryAttempts(value) {
retryAttempts[_voMetricsHTTPRequest.HTTPRequest.MPD_TYPE] = value;
}
function setRetryAttemptsForType(type, value) {
retryAttempts[type] = value;
}
function getFragmentRetryAttempts() {
return retryAttempts[_voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE];
}
function getManifestRetryAttempts() {
return retryAttempts[_voMetricsHTTPRequest.HTTPRequest.MPD_TYPE];
}
function getRetryAttemptsForType(type) {
return getLowLatencyEnabled() ? retryAttempts[type] * LOW_LATENCY_MULTIPLY_FACTOR : retryAttempts[type];
}
function setFragmentRetryInterval(value) {
retryIntervals[_voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE] = value;
}
function setManifestRetryInterval(value) {
retryIntervals[_voMetricsHTTPRequest.HTTPRequest.MPD_TYPE] = value;
}
function setRetryIntervalForType(type, value) {
retryIntervals[type] = value;
}
function getFragmentRetryInterval() {
return retryIntervals[_voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE];
}
function getManifestRetryInterval() {
return retryIntervals[_voMetricsHTTPRequest.HTTPRequest.MPD_TYPE];
}
function getRetryIntervalForType(type) {
return getLowLatencyEnabled() ? retryIntervals[type] / LOW_LATENCY_REDUCTION_FACTOR : retryIntervals[type];
}
function setWallclockTimeUpdateInterval(value) {
wallclockTimeUpdateInterval = value;
}
function getWallclockTimeUpdateInterval() {
return wallclockTimeUpdateInterval;
}
function setScheduleWhilePaused(value) {
scheduleWhilePaused = value;
}
function getScheduleWhilePaused() {
return scheduleWhilePaused;
}
function setLiveDelayFragmentCount(value) {
liveDelayFragmentCount = value;
}
function setLiveDelay(value) {
liveDelay = value;
}
function getLiveDelayFragmentCount() {
return liveDelayFragmentCount;
}
function getLiveDelay() {
if (lowLatencyEnabled) {
return liveDelay || DEFAULT_LOW_LATENCY_LIVE_DELAY;
}
return liveDelay;
}
function setUseManifestDateHeaderTimeSource(value) {
useManifestDateHeaderTimeSource = value;
}
function getUseManifestDateHeaderTimeSource() {
return useManifestDateHeaderTimeSource;
}
function setUseSuggestedPresentationDelay(value) {
useSuggestedPresentationDelay = value;
}
function getUseSuggestedPresentationDelay() {
return useSuggestedPresentationDelay;
}
function setUTCTimingSources(value) {
UTCTimingSources = value;
}
function getUTCTimingSources() {
return UTCTimingSources;
}
function setXHRWithCredentialsForType(type, value) {
if (!type) {
Object.keys(xhrWithCredentials).forEach(function (key) {
setXHRWithCredentialsForType(key, value);
});
} else {
xhrWithCredentials[type] = !!value;
}
}
function getXHRWithCredentialsForType(type) {
var useCreds = xhrWithCredentials[type];
if (useCreds === undefined) {
return xhrWithCredentials['default'];
}
return useCreds;
}
function getFastSwitchEnabled() {
return fastSwitchEnabled;
}
function setFastSwitchEnabled(value) {
if (typeof value !== 'boolean') {
return;
}
fastSwitchEnabled = value;
}
function setMovingAverageMethod(value) {
movingAverageMethod = value;
}
function getMovingAverageMethod() {
return movingAverageMethod;
}
function setJumpGaps(value) {
jumpGaps = value;
}
function getJumpGaps() {
return jumpGaps;
}
function setSmallGapLimit(value) {
smallGapLimit = value;
}
function getSmallGapLimit() {
return smallGapLimit;
}
function getLowLatencyEnabled() {
return lowLatencyEnabled;
}
function setLowLatencyEnabled(value) {
if (typeof value !== 'boolean') {
return;
}
lowLatencyEnabled = value;
}
function setManifestUpdateRetryInterval(value) {
manifestUpdateRetryInterval = value;
}
function getManifestUpdateRetryInterval() {
return manifestUpdateRetryInterval;
}
function setKeepProtectionMediaKeys(value) {
keepProtectionMediaKeys = value;
}
function getKeepProtectionMediaKeys() {
return keepProtectionMediaKeys;
}
function reset() {
//TODO need to figure out what props to persist across sessions and which to reset if any.
//setup();
}
instance = {
setABRStrategy: setABRStrategy,
getABRStrategy: getABRStrategy,
setUseDefaultABRRules: setUseDefaultABRRules,
getUseDefaultABRRules: getUseDefaultABRRules,
getABRCustomRules: getABRCustomRules,
addABRCustomRule: addABRCustomRule,
removeABRCustomRule: removeABRCustomRule,
removeAllABRCustomRule: removeAllABRCustomRule,
setBandwidthSafetyFactor: setBandwidthSafetyFactor,
getBandwidthSafetyFactor: getBandwidthSafetyFactor,
setAbandonLoadTimeout: setAbandonLoadTimeout,
getAbandonLoadTimeout: getAbandonLoadTimeout,
setLastBitrateCachingInfo: setLastBitrateCachingInfo,
getLastBitrateCachingInfo: getLastBitrateCachingInfo,
setLastMediaSettingsCachingInfo: setLastMediaSettingsCachingInfo,
getLastMediaSettingsCachingInfo: getLastMediaSettingsCachingInfo,
setStableBufferTime: setStableBufferTime,
getStableBufferTime: getStableBufferTime,
setBufferTimeAtTopQuality: setBufferTimeAtTopQuality,
getBufferTimeAtTopQuality: getBufferTimeAtTopQuality,
setBufferTimeAtTopQualityLongForm: setBufferTimeAtTopQualityLongForm,
getBufferTimeAtTopQualityLongForm: getBufferTimeAtTopQualityLongForm,
setLongFormContentDurationThreshold: setLongFormContentDurationThreshold,
getLongFormContentDurationThreshold: getLongFormContentDurationThreshold,
setSegmentOverlapToleranceTime: setSegmentOverlapToleranceTime,
getSegmentOverlapToleranceTime: getSegmentOverlapToleranceTime,
getCacheLoadThresholdForType: getCacheLoadThresholdForType,
setCacheLoadThresholdForType: setCacheLoadThresholdForType,
setBufferToKeep: setBufferToKeep,
getBufferToKeep: getBufferToKeep,
setBufferAheadToKeep: setBufferAheadToKeep,
getBufferAheadToKeep: getBufferAheadToKeep,
setBufferPruningInterval: setBufferPruningInterval,
getBufferPruningInterval: getBufferPruningInterval,
setFragmentRetryAttempts: setFragmentRetryAttempts,
getFragmentRetryAttempts: getFragmentRetryAttempts,
setManifestRetryAttempts: setManifestRetryAttempts,
getManifestRetryAttempts: getManifestRetryAttempts,
setRetryAttemptsForType: setRetryAttemptsForType,
getRetryAttemptsForType: getRetryAttemptsForType,
setFragmentRetryInterval: setFragmentRetryInterval,
getFragmentRetryInterval: getFragmentRetryInterval,
setManifestRetryInterval: setManifestRetryInterval,
getManifestRetryInterval: getManifestRetryInterval,
setRetryIntervalForType: setRetryIntervalForType,
getRetryIntervalForType: getRetryIntervalForType,
setWallclockTimeUpdateInterval: setWallclockTimeUpdateInterval,
getWallclockTimeUpdateInterval: getWallclockTimeUpdateInterval,
setScheduleWhilePaused: setScheduleWhilePaused,
getScheduleWhilePaused: getScheduleWhilePaused,
getUseSuggestedPresentationDelay: getUseSuggestedPresentationDelay,
setUseSuggestedPresentationDelay: setUseSuggestedPresentationDelay,
setLiveDelayFragmentCount: setLiveDelayFragmentCount,
getLiveDelayFragmentCount: getLiveDelayFragmentCount,
getLiveDelay: getLiveDelay,
setLiveDelay: setLiveDelay,
setUseManifestDateHeaderTimeSource: setUseManifestDateHeaderTimeSource,
getUseManifestDateHeaderTimeSource: getUseManifestDateHeaderTimeSource,
setUTCTimingSources: setUTCTimingSources,
getUTCTimingSources: getUTCTimingSources,
setXHRWithCredentialsForType: setXHRWithCredentialsForType,
getXHRWithCredentialsForType: getXHRWithCredentialsForType,
setFastSwitchEnabled: setFastSwitchEnabled,
getFastSwitchEnabled: getFastSwitchEnabled,
setMovingAverageMethod: setMovingAverageMethod,
getMovingAverageMethod: getMovingAverageMethod,
setJumpGaps: setJumpGaps,
getJumpGaps: getJumpGaps,
setSmallGapLimit: setSmallGapLimit,
getSmallGapLimit: getSmallGapLimit,
getLowLatencyEnabled: getLowLatencyEnabled,
setLowLatencyEnabled: setLowLatencyEnabled,
setManifestUpdateRetryInterval: setManifestUpdateRetryInterval,
getManifestUpdateRetryInterval: getManifestUpdateRetryInterval,
setKeepProtectionMediaKeys: setKeepProtectionMediaKeys,
getKeepProtectionMediaKeys: getKeepProtectionMediaKeys,
reset: reset
};
setup();
return instance;
}
//TODO see if you can move this and not export and just getter to get default value.
MediaPlayerModel.__dashjs_factory_name = 'MediaPlayerModel';
var factory = _coreFactoryMaker2['default'].getSingletonFactory(MediaPlayerModel);
factory.DEFAULT_UTC_TIMING_SOURCE = DEFAULT_UTC_TIMING_SOURCE;
_coreFactoryMaker2['default'].updateSingletonFactory(MediaPlayerModel.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"183":183,"47":47,"98":98}],117:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _constantsMetricsConstants = _dereq_(99);
var _constantsMetricsConstants2 = _interopRequireDefault(_constantsMetricsConstants);
var _voMetricsList = _dereq_(171);
var _voMetricsList2 = _interopRequireDefault(_voMetricsList);
var _voMetricsTCPConnection = _dereq_(189);
var _voMetricsTCPConnection2 = _interopRequireDefault(_voMetricsTCPConnection);
var _voMetricsHTTPRequest = _dereq_(183);
var _voMetricsRepresentationSwitch = _dereq_(186);
var _voMetricsRepresentationSwitch2 = _interopRequireDefault(_voMetricsRepresentationSwitch);
var _voMetricsBufferLevel = _dereq_(179);
var _voMetricsBufferLevel2 = _interopRequireDefault(_voMetricsBufferLevel);
var _voMetricsBufferState = _dereq_(180);
var _voMetricsBufferState2 = _interopRequireDefault(_voMetricsBufferState);
var _voMetricsDVRInfo = _dereq_(181);
var _voMetricsDVRInfo2 = _interopRequireDefault(_voMetricsDVRInfo);
var _voMetricsDroppedFrames = _dereq_(182);
var _voMetricsDroppedFrames2 = _interopRequireDefault(_voMetricsDroppedFrames);
var _voMetricsManifestUpdate = _dereq_(184);
var _voMetricsSchedulingInfo = _dereq_(188);
var _voMetricsSchedulingInfo2 = _interopRequireDefault(_voMetricsSchedulingInfo);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _voMetricsRequestsQueue = _dereq_(187);
var _voMetricsRequestsQueue2 = _interopRequireDefault(_voMetricsRequestsQueue);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function MetricsModel() {
var MAXIMUM_LIST_DEPTH = 1000;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
adapter = undefined,
streamMetrics = undefined;
function setup() {
streamMetrics = {};
}
function setConfig(config) {
if (!config) return;
if (config.adapter) {
adapter = config.adapter;
}
}
function metricsChanged() {
eventBus.trigger(_coreEventsEvents2['default'].METRICS_CHANGED);
}
function metricChanged(mediaType) {
eventBus.trigger(_coreEventsEvents2['default'].METRIC_CHANGED, { mediaType: mediaType });
metricsChanged();
}
function metricUpdated(mediaType, metricType, vo) {
eventBus.trigger(_coreEventsEvents2['default'].METRIC_UPDATED, { mediaType: mediaType, metric: metricType, value: vo });
metricChanged(mediaType);
}
function metricAdded(mediaType, metricType, vo) {
eventBus.trigger(_coreEventsEvents2['default'].METRIC_ADDED, { mediaType: mediaType, metric: metricType, value: vo });
metricChanged(mediaType);
}
function clearCurrentMetricsForType(type) {
delete streamMetrics[type];
metricChanged(type);
}
function clearAllCurrentMetrics() {
streamMetrics = {};
metricsChanged();
}
function getReadOnlyMetricsFor(type) {
if (streamMetrics.hasOwnProperty(type)) {
return streamMetrics[type];
}
return null;
}
function getMetricsFor(type) {
var metrics = undefined;
if (streamMetrics.hasOwnProperty(type)) {
metrics = streamMetrics[type];
} else {
metrics = new _voMetricsList2['default']();
streamMetrics[type] = metrics;
}
return metrics;
}
function pushMetrics(type, list, value) {
var metrics = getMetricsFor(type);
metrics[list].push(value);
if (metrics[list].length > MAXIMUM_LIST_DEPTH) {
metrics[list].shift();
}
}
function addTcpConnection(mediaType, tcpid, dest, topen, tclose, tconnect) {
var vo = new _voMetricsTCPConnection2['default']();
vo.tcpid = tcpid;
vo.dest = dest;
vo.topen = topen;
vo.tclose = tclose;
vo.tconnect = tconnect;
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].TCP_CONNECTION, vo);
return vo;
}
function appendHttpTrace(httpRequest, s, d, b) {
var vo = new _voMetricsHTTPRequest.HTTPRequestTrace();
vo.s = s;
vo.d = d;
vo.b = b;
httpRequest.trace.push(vo);
if (!httpRequest.interval) {
httpRequest.interval = 0;
}
httpRequest.interval += d;
return vo;
}
function addHttpRequest(mediaType, tcpid, type, url, actualurl, serviceLocation, range, trequest, tresponse, tfinish, responsecode, mediaduration, responseHeaders, traces) {
var vo = new _voMetricsHTTPRequest.HTTPRequest();
// ISO 23009-1 D.4.3 NOTE 2:
// All entries for a given object will have the same URL and range
// and so can easily be correlated. If there were redirects or
// failures there will be one entry for each redirect/failure.
// The redirect-to URL or alternative url (where multiple have been
// provided in the MPD) will appear as the actualurl of the next
// entry with the same url value.
if (actualurl && actualurl !== url) {
// given the above, add an entry for the original request
addHttpRequest(mediaType, null, type, url, null, null, range, trequest, null, // unknown
null, // unknown
null, // unknown, probably a 302
mediaduration, null, null);
vo.actualurl = actualurl;
}
vo.tcpid = tcpid;
vo.type = type;
vo.url = url;
vo.range = range;
vo.trequest = trequest;
vo.tresponse = tresponse;
vo.responsecode = responsecode;
vo._tfinish = tfinish;
vo._stream = mediaType;
vo._mediaduration = mediaduration;
vo._responseHeaders = responseHeaders;
vo._serviceLocation = serviceLocation;
if (traces) {
traces.forEach(function (trace) {
appendHttpTrace(vo, trace.s, trace.d, trace.b);
});
} else {
// The interval and trace shall be absent for redirect and failure records.
delete vo.interval;
delete vo.trace;
}
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].HTTP_REQUEST, vo);
return vo;
}
function addRepresentationSwitch(mediaType, t, mt, to, lto) {
var vo = new _voMetricsRepresentationSwitch2['default']();
vo.t = t;
vo.mt = mt;
vo.to = to;
if (lto) {
vo.lto = lto;
} else {
delete vo.lto;
}
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].TRACK_SWITCH, vo);
return vo;
}
function pushAndNotify(mediaType, metricType, metricObject) {
pushMetrics(mediaType, metricType, metricObject);
metricAdded(mediaType, metricType, metricObject);
}
function addBufferLevel(mediaType, t, level) {
var vo = new _voMetricsBufferLevel2['default']();
vo.t = t;
vo.level = level;
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].BUFFER_LEVEL, vo);
return vo;
}
function addBufferState(mediaType, state, target) {
var vo = new _voMetricsBufferState2['default']();
vo.target = target;
vo.state = state;
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].BUFFER_STATE, vo);
return vo;
}
function addDVRInfo(mediaType, currentTime, mpd, range) {
var vo = new _voMetricsDVRInfo2['default']();
vo.time = currentTime;
vo.range = range;
vo.manifestInfo = mpd;
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].DVR_INFO, vo);
return vo;
}
function addDroppedFrames(mediaType, quality) {
var vo = new _voMetricsDroppedFrames2['default']();
var list = getMetricsFor(mediaType).DroppedFrames;
vo.time = quality.creationTime;
vo.droppedFrames = quality.droppedVideoFrames;
if (list.length > 0 && list[list.length - 1] == vo) {
return list[list.length - 1];
}
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].DROPPED_FRAMES, vo);
return vo;
}
function addSchedulingInfo(mediaType, t, type, startTime, availabilityStartTime, duration, quality, range, state) {
var vo = new _voMetricsSchedulingInfo2['default']();
vo.mediaType = mediaType;
vo.t = t;
vo.type = type;
vo.startTime = startTime;
vo.availabilityStartTime = availabilityStartTime;
vo.duration = duration;
vo.quality = quality;
vo.range = range;
vo.state = state;
pushAndNotify(mediaType, _constantsMetricsConstants2['default'].SCHEDULING_INFO, vo);
return vo;
}
function addRequestsQueue(mediaType, loadingRequests, executedRequests) {
var vo = new _voMetricsRequestsQueue2['default']();
vo.loadingRequests = loadingRequests;
vo.executedRequests = executedRequests;
getMetricsFor(mediaType).RequestsQueue = vo;
metricAdded(mediaType, _constantsMetricsConstants2['default'].REQUESTS_QUEUE, vo);
}
function addManifestUpdate(mediaType, type, requestTime, fetchTime, availabilityStartTime, presentationStartTime, clientTimeOffset, currentTime, buffered, latency) {
var vo = new _voMetricsManifestUpdate.ManifestUpdate();
vo.mediaType = mediaType;
vo.type = type;
vo.requestTime = requestTime; // when this manifest update was requested
vo.fetchTime = fetchTime; // when this manifest update was received
vo.availabilityStartTime = availabilityStartTime;
vo.presentationStartTime = presentationStartTime; // the seek point (liveEdge for dynamic, Stream[0].startTime for static)
vo.clientTimeOffset = clientTimeOffset; // the calculated difference between the server and client wall clock time
vo.currentTime = currentTime; // actual element.currentTime
vo.buffered = buffered; // actual element.ranges
vo.latency = latency; // (static is fixed value of zero. dynamic should be ((Now-@availabilityStartTime) - currentTime)
pushMetrics(_constantsConstants2['default'].STREAM, _constantsMetricsConstants2['default'].MANIFEST_UPDATE, vo);
metricAdded(mediaType, _constantsMetricsConstants2['default'].MANIFEST_UPDATE, vo);
return vo;
}
function updateManifestUpdateInfo(manifestUpdate, updatedFields) {
if (manifestUpdate) {
for (var field in updatedFields) {
manifestUpdate[field] = updatedFields[field];
}
metricUpdated(manifestUpdate.mediaType, _constantsMetricsConstants2['default'].MANIFEST_UPDATE, manifestUpdate);
}
}
function addManifestUpdateStreamInfo(manifestUpdate, id, index, start, duration) {
if (manifestUpdate) {
var vo = new _voMetricsManifestUpdate.ManifestUpdateStreamInfo();
vo.id = id;
vo.index = index;
vo.start = start;
vo.duration = duration;
manifestUpdate.streamInfo.push(vo);
metricUpdated(manifestUpdate.mediaType, _constantsMetricsConstants2['default'].MANIFEST_UPDATE_STREAM_INFO, manifestUpdate);
return vo;
}
return null;
}
function addManifestUpdateRepresentationInfo(manifestUpdate, id, index, streamIndex, mediaType, presentationTimeOffset, startNumber, fragmentInfoType) {
if (manifestUpdate) {
var vo = new _voMetricsManifestUpdate.ManifestUpdateRepresentationInfo();
vo.id = id;
vo.index = index;
vo.streamIndex = streamIndex;
vo.mediaType = mediaType;
vo.startNumber = startNumber;
vo.fragmentInfoType = fragmentInfoType;
vo.presentationTimeOffset = presentationTimeOffset;
manifestUpdate.representationInfo.push(vo);
metricUpdated(manifestUpdate.mediaType, _constantsMetricsConstants2['default'].MANIFEST_UPDATE_TRACK_INFO, manifestUpdate);
return vo;
}
return null;
}
function addPlayList(vo) {
var type = _constantsConstants2['default'].STREAM;
if (vo.trace && Array.isArray(vo.trace)) {
vo.trace.forEach(function (trace) {
if (trace.hasOwnProperty('subreplevel') && !trace.subreplevel) {
delete trace.subreplevel;
}
});
} else {
delete vo.trace;
}
pushAndNotify(type, _constantsMetricsConstants2['default'].PLAY_LIST, vo);
return vo;
}
function addDVBErrors(vo) {
var type = _constantsConstants2['default'].STREAM;
pushAndNotify(type, _constantsMetricsConstants2['default'].DVB_ERRORS, vo);
return vo;
}
instance = {
clearCurrentMetricsForType: clearCurrentMetricsForType,
clearAllCurrentMetrics: clearAllCurrentMetrics,
getReadOnlyMetricsFor: getReadOnlyMetricsFor,
getMetricsFor: getMetricsFor,
addTcpConnection: addTcpConnection,
addHttpRequest: addHttpRequest,
addRepresentationSwitch: addRepresentationSwitch,
addBufferLevel: addBufferLevel,
addBufferState: addBufferState,
addDVRInfo: addDVRInfo,
addDroppedFrames: addDroppedFrames,
addSchedulingInfo: addSchedulingInfo,
addRequestsQueue: addRequestsQueue,
addManifestUpdate: addManifestUpdate,
updateManifestUpdateInfo: updateManifestUpdateInfo,
addManifestUpdateStreamInfo: addManifestUpdateStreamInfo,
addManifestUpdateRepresentationInfo: addManifestUpdateRepresentationInfo,
addPlayList: addPlayList,
addDVBErrors: addDVBErrors,
setConfig: setConfig
};
setup();
return instance;
}
MetricsModel.__dashjs_factory_name = 'MetricsModel';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(MetricsModel);
module.exports = exports['default'];
},{"171":171,"179":179,"180":180,"181":181,"182":182,"183":183,"184":184,"186":186,"187":187,"188":188,"189":189,"46":46,"47":47,"50":50,"98":98,"99":99}],118:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _voURIFragmentData = _dereq_(178);
var _voURIFragmentData2 = _interopRequireDefault(_voURIFragmentData);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
/**
* Model class managing URI fragments.
*/
function URIFragmentModel() {
var instance = undefined,
URIFragmentDataVO = undefined;
/**
* @param {string} uri The URI to parse for fragment extraction
* @memberof module:URIFragmentModel
* @instance
*/
function initialize(uri) {
URIFragmentDataVO = new _voURIFragmentData2['default']();
if (!uri) return null;
var hashIndex = uri.indexOf('#');
if (hashIndex !== -1) {
var fragments = uri.substr(hashIndex + 1).split('&');
for (var i = 0, len = fragments.length; i < len; ++i) {
var fragment = fragments[i];
var equalIndex = fragment.indexOf('=');
if (equalIndex !== -1) {
var key = fragment.substring(0, equalIndex);
if (URIFragmentDataVO.hasOwnProperty(key)) {
URIFragmentDataVO[key] = fragment.substr(equalIndex + 1);
}
}
}
}
}
/**
* @returns {URIFragmentData} Object containing supported URI fragments
* @memberof module:URIFragmentModel
* @instance
*/
function getURIFragmentData() {
return URIFragmentDataVO;
}
instance = {
initialize: initialize,
getURIFragmentData: getURIFragmentData
};
return instance;
}
URIFragmentModel.__dashjs_factory_name = 'URIFragmentModel';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(URIFragmentModel);
module.exports = exports['default'];
},{"178":178,"47":47}],119:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function VideoModel() {
var instance = undefined,
logger = undefined,
element = undefined,
TTMLRenderingDiv = undefined,
videoContainer = undefined,
previousPlaybackRate = undefined;
var VIDEO_MODEL_WRONG_ELEMENT_TYPE = 'element is not video or audio DOM type!';
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var stalledStreams = [];
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function initialize() {
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_PLAYING, onPlaying, this);
}
function reset() {
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_PLAYING, onPlaying, this);
}
function onPlaybackCanPlay() {
if (element) {
element.playbackRate = previousPlaybackRate || 1;
element.removeEventListener('canplay', onPlaybackCanPlay);
}
}
function setPlaybackRate(value) {
if (!element) return;
if (element.readyState <= 2 && value > 0) {
// If media element hasn't loaded enough data to play yet, wait until it has
element.addEventListener('canplay', onPlaybackCanPlay);
} else {
element.playbackRate = value;
}
}
//TODO Move the DVR window calculations from MediaPlayer to Here.
function setCurrentTime(currentTime, stickToBuffered) {
if (element) {
//_currentTime = currentTime;
// We don't set the same currentTime because it can cause firing unexpected Pause event in IE11
// providing playbackRate property equals to zero.
if (element.currentTime == currentTime) return;
// TODO Despite the fact that MediaSource 'open' event has been fired IE11 cannot set videoElement.currentTime
// immediately (it throws InvalidStateError). It seems that this is related to videoElement.readyState property
// Initially it is 0, but soon after 'open' event it goes to 1 and setting currentTime is allowed. Chrome allows to
// set currentTime even if readyState = 0.
// setTimeout is used to workaround InvalidStateError in IE11
try {
currentTime = stickToBuffered ? stickTimeToBuffered(currentTime) : currentTime;
element.currentTime = currentTime;
} catch (e) {
if (element.readyState === 0 && e.code === e.INVALID_STATE_ERR) {
setTimeout(function () {
element.currentTime = currentTime;
}, 400);
}
}
}
}
function stickTimeToBuffered(time) {
var buffered = getBufferRange();
var closestTime = time;
var closestDistance = 9999999999;
if (buffered) {
for (var i = 0; i < buffered.length; i++) {
var start = buffered.start(i);
var end = buffered.end(i);
var distanceToStart = Math.abs(start - time);
var distanceToEnd = Math.abs(end - time);
if (time >= start && time <= end) {
return time;
}
if (distanceToStart < closestDistance) {
closestDistance = distanceToStart;
closestTime = start;
}
if (distanceToEnd < closestDistance) {
closestDistance = distanceToEnd;
closestTime = end;
}
}
}
return closestTime;
}
function getElement() {
return element;
}
function setElement(value) {
//add check of value type
if (value === null || value === undefined || value && /^(VIDEO|AUDIO)$/i.test(value.nodeName)) {
element = value;
// Workaround to force Firefox to fire the canplay event.
if (element) {
element.preload = 'auto';
}
} else {
throw VIDEO_MODEL_WRONG_ELEMENT_TYPE;
}
}
function setSource(source) {
if (element) {
if (source) {
element.src = source;
} else {
element.removeAttribute('src');
element.load();
}
}
}
function getSource() {
return element ? element.src : null;
}
function getVideoContainer() {
return videoContainer;
}
function setVideoContainer(value) {
videoContainer = value;
}
function getTTMLRenderingDiv() {
return TTMLRenderingDiv;
}
function setTTMLRenderingDiv(div) {
TTMLRenderingDiv = div;
// The styling will allow the captions to match the video window size and position.
TTMLRenderingDiv.style.position = 'absolute';
TTMLRenderingDiv.style.display = 'flex';
TTMLRenderingDiv.style.overflow = 'hidden';
TTMLRenderingDiv.style.pointerEvents = 'none';
TTMLRenderingDiv.style.top = 0;
TTMLRenderingDiv.style.left = 0;
}
function setStallState(type, state) {
stallStream(type, state);
}
function isStalled() {
return stalledStreams.length > 0;
}
function addStalledStream(type) {
var event = undefined;
if (type === null || element.seeking || stalledStreams.indexOf(type) !== -1) {
return;
}
stalledStreams.push(type);
if (element && stalledStreams.length === 1) {
// Halt playback until nothing is stalled.
event = document.createEvent('Event');
event.initEvent('waiting', true, false);
previousPlaybackRate = element.playbackRate;
setPlaybackRate(0);
element.dispatchEvent(event);
}
}
function removeStalledStream(type) {
var index = stalledStreams.indexOf(type);
var event = undefined;
if (type === null) {
return;
}
if (index !== -1) {
stalledStreams.splice(index, 1);
}
// If nothing is stalled resume playback.
if (element && isStalled() === false && element.playbackRate === 0) {
setPlaybackRate(previousPlaybackRate || 1);
if (!element.paused) {
event = document.createEvent('Event');
event.initEvent('playing', true, false);
element.dispatchEvent(event);
}
}
}
function stallStream(type, isStalled) {
if (isStalled) {
addStalledStream(type);
} else {
removeStalledStream(type);
}
}
//Calling play on the element will emit playing - even if the stream is stalled. If the stream is stalled, emit a waiting event.
function onPlaying() {
if (element && isStalled() && element.playbackRate === 0) {
var _event = document.createEvent('Event');
_event.initEvent('waiting', true, false);
element.dispatchEvent(_event);
}
}
function getPlaybackQuality() {
if (!element) {
return null;
}
var hasWebKit = 'webkitDroppedFrameCount' in element && 'webkitDecodedFrameCount' in element;
var hasQuality = ('getVideoPlaybackQuality' in element);
var result = null;
if (hasQuality) {
result = element.getVideoPlaybackQuality();
} else if (hasWebKit) {
result = {
droppedVideoFrames: element.webkitDroppedFrameCount,
totalVideoFrames: element.webkitDroppedFrameCount + element.webkitDecodedFrameCount,
creationTime: new Date()
};
}
return result;
}
function play() {
if (element) {
element.autoplay = true;
var p = element.play();
if (p && typeof Promise !== 'undefined' && p instanceof Promise) {
p['catch'](function (e) {
if (e.name === 'NotAllowedError') {
eventBus.trigger(_coreEventsEvents2['default'].PLAYBACK_NOT_ALLOWED);
}
logger.warn('Caught pending play exception - continuing (' + e + ')');
});
}
}
}
function isPaused() {
return element ? element.paused : null;
}
function pause() {
if (element) {
element.pause();
element.autoplay = false;
}
}
function isSeeking() {
return element ? element.seeking : null;
}
function getTime() {
return element ? element.currentTime : null;
}
function getPlaybackRate() {
return element ? element.playbackRate : null;
}
function getPlayedRanges() {
return element ? element.played : null;
}
function getEnded() {
return element ? element.ended : null;
}
function addEventListener(eventName, eventCallBack) {
if (element) {
element.addEventListener(eventName, eventCallBack);
}
}
function removeEventListener(eventName, eventCallBack) {
if (element) {
element.removeEventListener(eventName, eventCallBack);
}
}
function getReadyState() {
return element ? element.readyState : NaN;
}
function getBufferRange() {
return element ? element.buffered : null;
}
function getClientWidth() {
return element ? element.clientWidth : NaN;
}
function getClientHeight() {
return element ? element.clientHeight : NaN;
}
function getVideoWidth() {
return element ? element.videoWidth : NaN;
}
function getVideoHeight() {
return element ? element.videoHeight : NaN;
}
function getVideoRelativeOffsetTop() {
return element && element.parentNode ? element.getBoundingClientRect().top - element.parentNode.getBoundingClientRect().top : NaN;
}
function getVideoRelativeOffsetLeft() {
return element && element.parentNode ? element.getBoundingClientRect().left - element.parentNode.getBoundingClientRect().left : NaN;
}
function getTextTracks() {
return element ? element.textTracks : [];
}
function getTextTrack(kind, label, lang, isTTML, isEmbedded) {
if (element) {
for (var i = 0; i < element.textTracks.length; i++) {
//label parameter could be a number (due to adaptationSet), but label, the attribute of textTrack, is a string => to modify...
//label could also be undefined (due to adaptationSet)
if (element.textTracks[i].kind === kind && (label ? element.textTracks[i].label == label : true) && element.textTracks[i].language === lang && element.textTracks[i].isTTML === isTTML && element.textTracks[i].isEmbedded === isEmbedded) {
return element.textTracks[i];
}
}
}
return null;
}
function addTextTrack(kind, label, lang) {
if (element) {
return element.addTextTrack(kind, label, lang);
}
return null;
}
function appendChild(childElement) {
if (element) {
element.appendChild(childElement);
//in Chrome, we need to differenciate textTrack with same lang, kind and label but different format (vtt, ttml, etc...)
if (childElement.isTTML !== undefined) {
element.textTracks[element.textTracks.length - 1].isTTML = childElement.isTTML;
element.textTracks[element.textTracks.length - 1].isEmbedded = childElement.isEmbedded;
}
}
}
function removeChild(childElement) {
if (element) {
element.removeChild(childElement);
}
}
instance = {
initialize: initialize,
setCurrentTime: setCurrentTime,
play: play,
isPaused: isPaused,
pause: pause,
isSeeking: isSeeking,
getTime: getTime,
getPlaybackRate: getPlaybackRate,
getPlayedRanges: getPlayedRanges,
getEnded: getEnded,
setStallState: setStallState,
getElement: getElement,
setElement: setElement,
setSource: setSource,
getSource: getSource,
getVideoContainer: getVideoContainer,
setVideoContainer: setVideoContainer,
getTTMLRenderingDiv: getTTMLRenderingDiv,
setTTMLRenderingDiv: setTTMLRenderingDiv,
getPlaybackQuality: getPlaybackQuality,
addEventListener: addEventListener,
removeEventListener: removeEventListener,
getReadyState: getReadyState,
getBufferRange: getBufferRange,
getClientWidth: getClientWidth,
getClientHeight: getClientHeight,
getTextTracks: getTextTracks,
getTextTrack: getTextTrack,
addTextTrack: addTextTrack,
appendChild: appendChild,
removeChild: removeChild,
getVideoWidth: getVideoWidth,
getVideoHeight: getVideoHeight,
getVideoRelativeOffsetTop: getVideoRelativeOffsetTop,
getVideoRelativeOffsetLeft: getVideoRelativeOffsetLeft,
reset: reset
};
setup();
return instance;
}
VideoModel.__dashjs_factory_name = 'VideoModel';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(VideoModel);
module.exports = exports['default'];
},{"45":45,"46":46,"47":47,"50":50}],120:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _utilsBoxParser = _dereq_(146);
var _utilsBoxParser2 = _interopRequireDefault(_utilsBoxParser);
/**
* @module FetchLoader
* @description Manages download of resources via HTTP using fetch.
* @param {Object} cfg - dependencies from parent
*/
function FetchLoader(cfg) {
cfg = cfg || {};
var requestModifier = cfg.requestModifier;
var instance = undefined;
function load(httpRequest) {
// Variables will be used in the callback functions
var firstProgress = true; /*jshint ignore:line*/
var needFailureReport = true; /*jshint ignore:line*/
var requestStartTime = new Date();
var lastTraceTime = requestStartTime; /*jshint ignore:line*/
var lastTraceReceivedCount = 0; /*jshint ignore:line*/
var request = httpRequest.request;
var headers = new Headers(); /*jshint ignore:line*/
if (request.range) {
headers.append('Range', 'bytes=' + request.range);
}
if (!request.requestStartDate) {
request.requestStartDate = requestStartTime;
}
if (requestModifier) {
// modifyRequestHeader expects a XMLHttpRequest object so,
// to keep backward compatibility, we should expose a setRequestHeader method
// TODO: Remove RequestModifier dependency on XMLHttpRequest object and define
// a more generic way to intercept/modify requests
requestModifier.modifyRequestHeader({
setRequestHeader: function setRequestHeader(header, value) {
headers.append(header, value);
}
});
}
var abortController = undefined;
if (typeof window.AbortController === 'function') {
abortController = new AbortController(); /*jshint ignore:line*/
httpRequest.abortController = abortController;
}
var reqOptions = {
method: httpRequest.method,
headers: headers,
credentials: httpRequest.withCredentials ? 'include' : undefined,
signal: abortController ? abortController.signal : undefined
};
fetch(httpRequest.url, reqOptions).then(function (response) {
if (!httpRequest.response) {
httpRequest.response = {};
}
httpRequest.response.status = response.status;
httpRequest.response.statusText = response.statusText;
httpRequest.response.responseURL = response.url;
if (!response.ok) {
httpRequest.onerror();
}
var responseHeaders = '';
var _iteratorNormalCompletion = true;
var _didIteratorError = false;
var _iteratorError = undefined;
try {
for (var _iterator = response.headers.keys()[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
var key = _step.value;
responseHeaders += key + ': ' + response.headers.get(key) + '\n';
}
} catch (err) {
_didIteratorError = true;
_iteratorError = err;
} finally {
try {
if (!_iteratorNormalCompletion && _iterator['return']) {
_iterator['return']();
}
} finally {
if (_didIteratorError) {
throw _iteratorError;
}
}
}
httpRequest.response.responseHeaders = responseHeaders;
if (!response.body) {
// Fetch returning a ReadableStream response body is not currently supported by all browsers.
// Browser compatibility: https://developer.mozilla.org/en-US/docs/Web/API/Fetch_API
// If it is not supported, returning the whole segment when it's ready (as xhr)
return response.arrayBuffer().then(function (buffer) {
httpRequest.response.response = buffer;
var event = {
loaded: buffer.byteLength,
total: buffer.byteLength
};
httpRequest.progress(event);
httpRequest.onload();
httpRequest.onend();
return;
});
}
var totalBytes = parseInt(response.headers.get('Content-Length'), 10);
var bytesReceived = 0;
var signaledFirstByte = false;
var remaining = new Uint8Array();
var offset = 0;
httpRequest.reader = response.body.getReader();
var downLoadedData = [];
var processResult = function processResult(_ref) {
var value = _ref.value;
var done = _ref.done;
if (done) {
if (remaining) {
// If there is pending data, call progress so network metrics
// are correctly generated
// Same structure as https://developer.mozilla.org/en-US/docs/Web/API/XMLHttpRequestEventTarget/onprogress
httpRequest.progress({
loaded: bytesReceived,
total: isNaN(totalBytes) ? bytesReceived : totalBytes,
lengthComputable: true,
time: calculateDownloadedTime(downLoadedData, bytesReceived)
});
httpRequest.response.response = remaining.buffer;
}
httpRequest.onload();
httpRequest.onend();
return;
}
if (value && value.length > 0) {
remaining = concatTypedArray(remaining, value);
bytesReceived += value.length;
downLoadedData.push({
ts: Date.now(),
bytes: value.length
});
var boxesInfo = (0, _utilsBoxParser2['default'])().getInstance().findLastTopIsoBoxCompleted(['moov', 'mdat'], remaining, offset);
if (boxesInfo.found) {
var end = boxesInfo.lastCompletedOffset + boxesInfo.size;
// If we are going to pass full buffer, avoid copying it and pass
// complete buffer. Otherwise clone the part of the buffer that is completed
// and adjust remaining buffer. A clone is needed because ArrayBuffer of a typed-array
// keeps a reference to the original data
var data = undefined;
if (end === remaining.length) {
data = remaining;
remaining = new Uint8Array();
} else {
data = new Uint8Array(remaining.subarray(0, end));
remaining = remaining.subarray(end);
}
// Announce progress but don't track traces. Throughput measures are quite unstable
// when they are based in small amount of data
httpRequest.progress({
data: data.buffer,
lengthComputable: false,
noTrace: true
});
offset = 0;
} else {
offset = boxesInfo.lastCompletedOffset;
// Call progress so it generates traces that will be later used to know when the first byte
// were received
if (!signaledFirstByte) {
httpRequest.progress({
lengthComputable: false,
noTrace: true
});
signaledFirstByte = true;
}
}
}
read(httpRequest, processResult);
};
read(httpRequest, processResult);
})['catch'](function (e) {
if (httpRequest.onerror) {
httpRequest.onerror(e);
}
});
}
function read(httpRequest, processResult) {
httpRequest.reader.read().then(processResult)['catch'](function (e) {
if (httpRequest.onerror && httpRequest.response.status === 200) {
// Error, but response code is 200, trigger error
httpRequest.onerror(e);
}
});
}
function concatTypedArray(remaining, data) {
if (remaining.length === 0) {
return data;
}
var result = new Uint8Array(remaining.length + data.length);
result.set(remaining);
result.set(data, remaining.length);
return result;
}
function abort(request) {
if (request.abortController) {
// For firefox and edge
request.abortController.abort();
} else if (request.reader) {
// For Chrome
try {
request.reader.cancel();
} catch (e) {
// throw exceptions (TypeError) when reader was previously closed,
// for example, because a network issue
}
}
}
function calculateDownloadedTime(datum, bytesReceived) {
datum = datum.filter(function (data) {
return data.bytes > bytesReceived / 4 / datum.length;
});
if (datum.length > 1) {
var _ret = (function () {
var time = 0;
var avgTimeDistance = (datum[datum.length - 1].ts - datum[0].ts) / datum.length;
datum.forEach(function (data, index) {
// To be counted the data has to be over a threshold
var next = datum[index + 1];
if (next) {
var distance = next.ts - data.ts;
time += distance < avgTimeDistance ? distance : 0;
}
});
return {
v: time
};
})();
if (typeof _ret === 'object') return _ret.v;
}
return null;
}
instance = {
load: load,
abort: abort,
calculateDownloadedTime: calculateDownloadedTime
};
return instance;
}
FetchLoader.__dashjs_factory_name = 'FetchLoader';
var factory = _coreFactoryMaker2['default'].getClassFactory(FetchLoader);
exports['default'] = factory;
module.exports = exports['default'];
},{"146":146,"47":47}],121:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
var _XHRLoader = _dereq_(122);
var _XHRLoader2 = _interopRequireDefault(_XHRLoader);
var _FetchLoader = _dereq_(120);
var _FetchLoader2 = _interopRequireDefault(_FetchLoader);
var _voMetricsHTTPRequest = _dereq_(183);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _utilsErrorHandler = _dereq_(151);
var _utilsErrorHandler2 = _interopRequireDefault(_utilsErrorHandler);
/**
* @module HTTPLoader
* @description Manages download of resources via HTTP.
* @param {Object} cfg - dependancies from parent
*/
function HTTPLoader(cfg) {
cfg = cfg || {};
var context = this.context;
var errHandler = cfg.errHandler;
var metricsModel = cfg.metricsModel;
var mediaPlayerModel = cfg.mediaPlayerModel;
var requestModifier = cfg.requestModifier;
var useFetch = cfg.useFetch || false;
var instance = undefined;
var requests = undefined;
var delayedRequests = undefined;
var retryTimers = undefined;
var downloadErrorToRequestTypeMap = undefined;
function setup() {
var _downloadErrorToRequestTypeMap;
requests = [];
delayedRequests = [];
retryTimers = [];
downloadErrorToRequestTypeMap = (_downloadErrorToRequestTypeMap = {}, _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.MPD_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_MANIFEST), _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.XLINK_EXPANSION_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_XLINK), _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_INITIALIZATION), _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_CONTENT), _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.INDEX_SEGMENT_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_CONTENT), _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.BITSTREAM_SWITCHING_SEGMENT_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_CONTENT), _defineProperty(_downloadErrorToRequestTypeMap, _voMetricsHTTPRequest.HTTPRequest.OTHER_TYPE, _utilsErrorHandler2['default'].DOWNLOAD_ERROR_ID_CONTENT), _downloadErrorToRequestTypeMap);
}
function internalLoad(config, remainingAttempts) {
var request = config.request;
var traces = [];
var firstProgress = true;
var needFailureReport = true;
var requestStartTime = new Date();
var lastTraceTime = requestStartTime;
var lastTraceReceivedCount = 0;
var httpRequest = undefined;
if (!requestModifier || !metricsModel || !errHandler) {
throw new Error('config object is not correct or missing');
}
var handleLoaded = function handleLoaded(success) {
needFailureReport = false;
request.requestStartDate = requestStartTime;
request.requestEndDate = new Date();
request.firstByteDate = request.firstByteDate || requestStartTime;
if (!request.checkExistenceOnly) {
metricsModel.addHttpRequest(request.mediaType, null, request.type, request.url, httpRequest.response ? httpRequest.response.responseURL : null, request.serviceLocation || null, request.range || null, request.requestStartDate, request.firstByteDate, request.requestEndDate, httpRequest.response ? httpRequest.response.status : null, request.duration, httpRequest.response && httpRequest.response.getAllResponseHeaders ? httpRequest.response.getAllResponseHeaders() : httpRequest.response ? httpRequest.response.responseHeaders : [], success ? traces : null);
}
};
var onloadend = function onloadend() {
if (requests.indexOf(httpRequest) === -1) {
return;
} else {
requests.splice(requests.indexOf(httpRequest), 1);
}
if (needFailureReport) {
handleLoaded(false);
if (remainingAttempts > 0) {
remainingAttempts--;
retryTimers.push(setTimeout(function () {
internalLoad(config, remainingAttempts);
}, mediaPlayerModel.getRetryIntervalForType(request.type)));
} else {
errHandler.downloadError(downloadErrorToRequestTypeMap[request.type], request.url, request);
if (config.error) {
config.error(request, 'error', httpRequest.response.statusText);
}
if (config.complete) {
config.complete(request, httpRequest.response.statusText);
}
}
}
};
var progress = function progress(event) {
var currentTime = new Date();
if (firstProgress) {
firstProgress = false;
if (!event.lengthComputable || event.lengthComputable && event.total !== event.loaded) {
request.firstByteDate = currentTime;
}
}
if (event.lengthComputable) {
request.bytesLoaded = event.loaded;
request.bytesTotal = event.total;
}
if (!event.noTrace) {
traces.push({
s: lastTraceTime,
d: event.time ? event.time : currentTime.getTime() - lastTraceTime.getTime(),
b: [event.loaded ? event.loaded - lastTraceReceivedCount : 0]
});
lastTraceTime = currentTime;
lastTraceReceivedCount = event.loaded;
}
if (config.progress && event) {
config.progress(event);
}
};
var onload = function onload() {
if (httpRequest.response.status >= 200 && httpRequest.response.status <= 299) {
handleLoaded(true);
if (config.success) {
config.success(httpRequest.response.response, httpRequest.response.statusText, httpRequest.response.responseURL);
}
if (config.complete) {
config.complete(request, httpRequest.response.statusText);
}
}
};
var onabort = function onabort() {
if (config.abort) {
config.abort(request);
}
};
var loader = undefined;
if (useFetch && window.fetch && request.responseType === 'arraybuffer') {
loader = (0, _FetchLoader2['default'])(context).create({
requestModifier: requestModifier
});
} else {
loader = (0, _XHRLoader2['default'])(context).create({
requestModifier: requestModifier
});
}
var modifiedUrl = requestModifier.modifyRequestURL(request.url);
var verb = request.checkExistenceOnly ? _voMetricsHTTPRequest.HTTPRequest.HEAD : _voMetricsHTTPRequest.HTTPRequest.GET;
var withCredentials = mediaPlayerModel.getXHRWithCredentialsForType(request.type);
httpRequest = {
url: modifiedUrl,
method: verb,
withCredentials: withCredentials,
request: request,
onload: onload,
onend: onloadend,
onerror: onloadend,
progress: progress,
onabort: onabort,
loader: loader
};
// Adds the ability to delay single fragment loading time to control buffer.
var now = new Date().getTime();
if (isNaN(request.delayLoadingTime) || now >= request.delayLoadingTime) {
// no delay - just send
requests.push(httpRequest);
loader.load(httpRequest);
} else {
(function () {
// delay
var delayedRequest = { httpRequest: httpRequest };
delayedRequests.push(delayedRequest);
delayedRequest.delayTimeout = setTimeout(function () {
if (delayedRequests.indexOf(delayedRequest) === -1) {
return;
} else {
delayedRequests.splice(delayedRequests.indexOf(delayedRequest), 1);
}
try {
requestStartTime = new Date();
lastTraceTime = requestStartTime;
requests.push(delayedRequest.httpRequest);
loader.load(delayedRequest.httpRequest);
} catch (e) {
delayedRequest.httpRequest.onerror();
}
}, request.delayLoadingTime - now);
})();
}
}
/**
* Initiates a download of the resource described by config.request
* @param {Object} config - contains request (FragmentRequest or derived type), and callbacks
* @memberof module:HTTPLoader
* @instance
*/
function load(config) {
if (config.request) {
internalLoad(config, mediaPlayerModel.getRetryAttemptsForType(config.request.type));
}
}
/**
* Aborts any inflight downloads
* @memberof module:HTTPLoader
* @instance
*/
function abort() {
retryTimers.forEach(function (t) {
return clearTimeout(t);
});
retryTimers = [];
delayedRequests.forEach(function (x) {
return clearTimeout(x.delayTimeout);
});
delayedRequests = [];
requests.forEach(function (x) {
// abort will trigger onloadend which we don't want
// when deliberately aborting inflight requests -
// set them to undefined so they are not called
x.onloadend = x.onerror = x.onprogress = undefined;
x.loader.abort(x);
x.onabort();
});
requests = [];
}
instance = {
load: load,
abort: abort
};
setup();
return instance;
}
HTTPLoader.__dashjs_factory_name = 'HTTPLoader';
var factory = _coreFactoryMaker2['default'].getClassFactory(HTTPLoader);
exports['default'] = factory;
module.exports = exports['default'];
},{"120":120,"122":122,"151":151,"183":183,"47":47}],122:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
/**
* @module XHRLoader
* @description Manages download of resources via HTTP.
* @param {Object} cfg - dependencies from parent
*/
function XHRLoader(cfg) {
cfg = cfg || {};
var requestModifier = cfg.requestModifier;
var instance = undefined;
function load(httpRequest) {
// Variables will be used in the callback functions
var firstProgress = true; /*jshint ignore:line*/
var needFailureReport = true; /*jshint ignore:line*/
var requestStartTime = new Date();
var lastTraceTime = requestStartTime; /*jshint ignore:line*/
var lastTraceReceivedCount = 0; /*jshint ignore:line*/
var request = httpRequest.request;
var xhr = new XMLHttpRequest();
xhr.open(httpRequest.method, httpRequest.url, true);
if (request.responseType) {
xhr.responseType = request.responseType;
}
if (request.range) {
xhr.setRequestHeader('Range', 'bytes=' + request.range);
}
if (!request.requestStartDate) {
request.requestStartDate = requestStartTime;
}
if (requestModifier) {
xhr = requestModifier.modifyRequestHeader(xhr);
}
xhr.withCredentials = httpRequest.withCredentials;
xhr.onload = httpRequest.onload;
xhr.onloadend = httpRequest.onend;
xhr.onerror = httpRequest.onerror;
xhr.onprogress = httpRequest.progress;
xhr.onabort = httpRequest.onabort;
xhr.send();
httpRequest.response = xhr;
}
function abort(request) {
var x = request.response;
x.onloadend = x.onerror = x.onprogress = undefined; //Ignore events from aborted requests.
x.abort();
}
instance = {
load: load,
abort: abort
};
return instance;
}
XHRLoader.__dashjs_factory_name = 'XHRLoader';
var factory = _coreFactoryMaker2['default'].getClassFactory(XHRLoader);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47}],123:[function(_dereq_,module,exports){
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function DroppedFramesHistory() {
var values = [];
var lastDroppedFrames = 0;
var lastTotalFrames = 0;
function push(index, playbackQuality) {
var droppedVideoFrames = playbackQuality && playbackQuality.droppedVideoFrames ? playbackQuality.droppedVideoFrames : 0;
var totalVideoFrames = playbackQuality && playbackQuality.totalVideoFrames ? playbackQuality.totalVideoFrames : 0;
var intervalDroppedFrames = droppedVideoFrames - lastDroppedFrames;
lastDroppedFrames = droppedVideoFrames;
var intervalTotalFrames = totalVideoFrames - lastTotalFrames;
lastTotalFrames = totalVideoFrames;
if (!isNaN(index)) {
if (!values[index]) {
values[index] = { droppedVideoFrames: intervalDroppedFrames, totalVideoFrames: intervalTotalFrames };
} else {
values[index].droppedVideoFrames += intervalDroppedFrames;
values[index].totalVideoFrames += intervalTotalFrames;
}
}
}
function getDroppedFrameHistory() {
return values;
}
function reset(playbackQuality) {
values = [];
lastDroppedFrames = playbackQuality.droppedVideoFrames;
lastTotalFrames = playbackQuality.totalVideoFrames;
}
return {
push: push,
getFrameHistory: getDroppedFrameHistory,
reset: reset
};
}
DroppedFramesHistory.__dashjs_factory_name = 'DroppedFramesHistory';
var factory = _coreFactoryMaker2['default'].getClassFactory(DroppedFramesHistory);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47}],124:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function RulesContext(config) {
config = config || {};
var instance = undefined;
var abrController = config.abrController;
var streamProcessor = config.streamProcessor;
var representationInfo = config.streamProcessor.getCurrentRepresentationInfo();
var switchHistory = config.switchHistory;
var droppedFramesHistory = config.droppedFramesHistory;
var currentRequest = config.currentRequest;
var bufferOccupancyABR = config.useBufferOccupancyABR;
function getMediaType() {
return representationInfo.mediaInfo.type;
}
function getStreamInfo() {
return representationInfo.mediaInfo.streamInfo;
}
function getMediaInfo() {
return representationInfo.mediaInfo;
}
function getRepresentationInfo() {
return representationInfo;
}
function getStreamProcessor() {
return streamProcessor;
}
function getAbrController() {
return abrController;
}
function getSwitchHistory() {
return switchHistory;
}
function getDroppedFramesHistory() {
return droppedFramesHistory;
}
function getCurrentRequest() {
return currentRequest;
}
function useBufferOccupancyABR() {
return bufferOccupancyABR;
}
instance = {
getMediaType: getMediaType,
getMediaInfo: getMediaInfo,
getDroppedFramesHistory: getDroppedFramesHistory,
getCurrentRequest: getCurrentRequest,
getSwitchHistory: getSwitchHistory,
getStreamInfo: getStreamInfo,
getStreamProcessor: getStreamProcessor,
getAbrController: getAbrController,
getRepresentationInfo: getRepresentationInfo,
useBufferOccupancyABR: useBufferOccupancyABR
};
return instance;
}
RulesContext.__dashjs_factory_name = 'RulesContext';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(RulesContext);
module.exports = exports['default'];
},{"47":47}],125:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var NO_CHANGE = -1;
var PRIORITY = {
DEFAULT: 0.5,
STRONG: 1,
WEAK: 0
};
function SwitchRequest(q, r, p) {
//TODO refactor all the calls to this to use config to be like everything else.
var instance = undefined;
var quality = undefined;
var priority = undefined;
var reason = undefined;
// check priority value
function getPriority(p) {
var ret = PRIORITY.DEFAULT;
// check that p is one of declared priority value
if (p === PRIORITY.DEFAULT || p === PRIORITY.STRONG || p === PRIORITY.WEAK) {
ret = p;
}
return ret;
}
// init attributes
quality = q === undefined ? NO_CHANGE : q;
priority = getPriority(p);
reason = r === undefined ? null : r;
instance = {
quality: quality,
reason: reason,
priority: priority
};
return instance;
}
SwitchRequest.__dashjs_factory_name = 'SwitchRequest';
var factory = _coreFactoryMaker2['default'].getClassFactory(SwitchRequest);
factory.NO_CHANGE = NO_CHANGE;
factory.PRIORITY = PRIORITY;
_coreFactoryMaker2['default'].updateClassFactory(SwitchRequest.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"47":47}],126:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
var SWITCH_REQUEST_HISTORY_DEPTH = 8; // must be > SwitchHistoryRule SAMPLE_SIZE to enable rule
function SwitchRequestHistory() {
var switchRequests = []; // running total
var srHistory = []; // history of each switch
function push(switchRequest) {
if (switchRequest.newValue === _SwitchRequest2['default'].NO_CHANGE) {
switchRequest.newValue = switchRequest.oldValue;
}
if (!switchRequests[switchRequest.oldValue]) {
switchRequests[switchRequest.oldValue] = { noDrops: 0, drops: 0, dropSize: 0 };
}
// Set switch details
var indexDiff = switchRequest.newValue - switchRequest.oldValue;
var drop = indexDiff < 0 ? 1 : 0;
var dropSize = drop ? -indexDiff : 0;
var noDrop = drop ? 0 : 1;
// Update running totals
switchRequests[switchRequest.oldValue].drops += drop;
switchRequests[switchRequest.oldValue].dropSize += dropSize;
switchRequests[switchRequest.oldValue].noDrops += noDrop;
// Save to history
srHistory.push({ idx: switchRequest.oldValue, noDrop: noDrop, drop: drop, dropSize: dropSize });
// Shift earliest switch off srHistory and readjust to keep depth of running totals constant
if (srHistory.length > SWITCH_REQUEST_HISTORY_DEPTH) {
var srHistoryFirst = srHistory.shift();
switchRequests[srHistoryFirst.idx].drops -= srHistoryFirst.drop;
switchRequests[srHistoryFirst.idx].dropSize -= srHistoryFirst.dropSize;
switchRequests[srHistoryFirst.idx].noDrops -= srHistoryFirst.noDrop;
}
}
function getSwitchRequests() {
return switchRequests;
}
function reset() {
switchRequests = [];
srHistory = [];
}
return {
push: push,
getSwitchRequests: getSwitchRequests,
reset: reset
};
}
SwitchRequestHistory.__dashjs_factory_name = 'SwitchRequestHistory';
var factory = _coreFactoryMaker2['default'].getClassFactory(SwitchRequestHistory);
exports['default'] = factory;
module.exports = exports['default'];
},{"125":125,"47":47}],127:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2017, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
// throughput generally stored in kbit/s
// latency generally stored in ms
function ThroughputHistory(config) {
config = config || {};
// sliding window constants
var MAX_MEASUREMENTS_TO_KEEP = 20;
var AVERAGE_THROUGHPUT_SAMPLE_AMOUNT_LIVE = 3;
var AVERAGE_THROUGHPUT_SAMPLE_AMOUNT_VOD = 4;
var AVERAGE_LATENCY_SAMPLE_AMOUNT = 4;
var THROUGHPUT_DECREASE_SCALE = 1.3;
var THROUGHPUT_INCREASE_SCALE = 1.3;
// EWMA constants
var EWMA_THROUGHPUT_SLOW_HALF_LIFE_SECONDS = 8;
var EWMA_THROUGHPUT_FAST_HALF_LIFE_SECONDS = 3;
var EWMA_LATENCY_SLOW_HALF_LIFE_COUNT = 2;
var EWMA_LATENCY_FAST_HALF_LIFE_COUNT = 1;
var mediaPlayerModel = config.mediaPlayerModel;
var throughputDict = undefined,
latencyDict = undefined,
ewmaThroughputDict = undefined,
ewmaLatencyDict = undefined,
ewmaHalfLife = undefined;
function setup() {
ewmaHalfLife = {
throughputHalfLife: { fast: EWMA_THROUGHPUT_FAST_HALF_LIFE_SECONDS, slow: EWMA_THROUGHPUT_SLOW_HALF_LIFE_SECONDS },
latencyHalfLife: { fast: EWMA_LATENCY_FAST_HALF_LIFE_COUNT, slow: EWMA_LATENCY_SLOW_HALF_LIFE_COUNT }
};
reset();
}
function isCachedResponse(mediaType, latencyMs, downloadTimeMs) {
if (mediaType === _constantsConstants2['default'].VIDEO) {
return downloadTimeMs < mediaPlayerModel.getCacheLoadThresholdForType(_constantsConstants2['default'].VIDEO);
} else if (mediaType === _constantsConstants2['default'].AUDIO) {
return downloadTimeMs < mediaPlayerModel.getCacheLoadThresholdForType(_constantsConstants2['default'].AUDIO);
}
}
function push(mediaType, httpRequest, useDeadTimeLatency) {
if (!httpRequest.trace || !httpRequest.trace.length) {
return;
}
var latencyTimeInMilliseconds = httpRequest.tresponse.getTime() - httpRequest.trequest.getTime() || 1;
var downloadTimeInMilliseconds = httpRequest._tfinish.getTime() - httpRequest.tresponse.getTime() || 1; //Make sure never 0 we divide by this value. Avoid infinity!
var downloadTime = httpRequest.trace.reduce(function (a, b) {
return a + b.d;
}, 0);
var downloadBytes = httpRequest.trace.reduce(function (a, b) {
return a + b.b[0];
}, 0);
var throughputMeasureTime = useDeadTimeLatency ? downloadTimeInMilliseconds : latencyTimeInMilliseconds + downloadTimeInMilliseconds;
throughputMeasureTime = mediaPlayerModel.getLowLatencyEnabled() ? downloadTime : throughputMeasureTime;
var throughput = Math.round(8 * downloadBytes / throughputMeasureTime); // bits/ms = kbits/s
checkSettingsForMediaType(mediaType);
if (isCachedResponse(mediaType, latencyTimeInMilliseconds, downloadTimeInMilliseconds)) {
if (throughputDict[mediaType].length > 0 && !throughputDict[mediaType].hasCachedEntries) {
// already have some entries which are not cached entries
// prevent cached fragment loads from skewing the average values
return;
} else {
// have no entries || have cached entries
// no uncached entries yet, rely on cached entries because ABR rules need something to go by
throughputDict[mediaType].hasCachedEntries = true;
}
} else if (throughputDict[mediaType] && throughputDict[mediaType].hasCachedEntries) {
// if we are here then we have some entries already, but they are cached, and now we have a new uncached entry
clearSettingsForMediaType(mediaType);
}
throughputDict[mediaType].push(throughput);
if (throughputDict[mediaType].length > MAX_MEASUREMENTS_TO_KEEP) {
throughputDict[mediaType].shift();
}
latencyDict[mediaType].push(latencyTimeInMilliseconds);
if (latencyDict[mediaType].length > MAX_MEASUREMENTS_TO_KEEP) {
latencyDict[mediaType].shift();
}
updateEwmaEstimate(ewmaThroughputDict[mediaType], throughput, 0.001 * downloadTimeInMilliseconds, ewmaHalfLife.throughputHalfLife);
updateEwmaEstimate(ewmaLatencyDict[mediaType], latencyTimeInMilliseconds, 1, ewmaHalfLife.latencyHalfLife);
}
function updateEwmaEstimate(ewmaObj, value, weight, halfLife) {
// Note about startup:
// Estimates start at 0, so early values are underestimated.
// This effect is countered in getAverageEwma() by dividing the estimates by:
// 1 - Math.pow(0.5, ewmaObj.totalWeight / halfLife)
var fastAlpha = Math.pow(0.5, weight / halfLife.fast);
ewmaObj.fastEstimate = (1 - fastAlpha) * value + fastAlpha * ewmaObj.fastEstimate;
var slowAlpha = Math.pow(0.5, weight / halfLife.slow);
ewmaObj.slowEstimate = (1 - slowAlpha) * value + slowAlpha * ewmaObj.slowEstimate;
ewmaObj.totalWeight += weight;
}
function getSampleSize(isThroughput, mediaType, isLive) {
var arr = undefined;
var sampleSize = undefined;
if (isThroughput) {
arr = throughputDict[mediaType];
sampleSize = isLive ? AVERAGE_THROUGHPUT_SAMPLE_AMOUNT_LIVE : AVERAGE_THROUGHPUT_SAMPLE_AMOUNT_VOD;
} else {
arr = latencyDict[mediaType];
sampleSize = AVERAGE_LATENCY_SAMPLE_AMOUNT;
}
if (!arr) {
sampleSize = 0;
} else if (sampleSize >= arr.length) {
sampleSize = arr.length;
} else if (isThroughput) {
// if throughput samples vary a lot, average over a wider sample
for (var i = 1; i < sampleSize; ++i) {
var ratio = arr[i] / arr[i - 1];
if (ratio >= THROUGHPUT_INCREASE_SCALE || ratio <= 1 / THROUGHPUT_DECREASE_SCALE) {
sampleSize += 1;
if (sampleSize === arr.length) {
// cannot increase sampleSize beyond arr.length
break;
}
}
}
}
return sampleSize;
}
function getAverage(isThroughput, mediaType, isDynamic) {
// only two moving average methods defined at the moment
return mediaPlayerModel.getMovingAverageMethod() !== _constantsConstants2['default'].MOVING_AVERAGE_SLIDING_WINDOW ? getAverageEwma(isThroughput, mediaType) : getAverageSlidingWindow(isThroughput, mediaType, isDynamic);
}
function getAverageSlidingWindow(isThroughput, mediaType, isDynamic) {
var sampleSize = getSampleSize(isThroughput, mediaType, isDynamic);
var dict = isThroughput ? throughputDict : latencyDict;
var arr = dict[mediaType];
if (sampleSize === 0 || !arr || arr.length === 0) {
return NaN;
}
arr = arr.slice(-sampleSize); // still works if sampleSize too large
// arr.length >= 1
return arr.reduce(function (total, elem) {
return total + elem;
}) / arr.length;
}
function getAverageEwma(isThroughput, mediaType) {
var halfLife = isThroughput ? ewmaHalfLife.throughputHalfLife : ewmaHalfLife.latencyHalfLife;
var ewmaObj = isThroughput ? ewmaThroughputDict[mediaType] : ewmaLatencyDict[mediaType];
if (!ewmaObj || ewmaObj.totalWeight <= 0) {
return NaN;
}
// to correct for startup, divide by zero factor = 1 - Math.pow(0.5, ewmaObj.totalWeight / halfLife)
var fastEstimate = ewmaObj.fastEstimate / (1 - Math.pow(0.5, ewmaObj.totalWeight / halfLife.fast));
var slowEstimate = ewmaObj.slowEstimate / (1 - Math.pow(0.5, ewmaObj.totalWeight / halfLife.slow));
return isThroughput ? Math.min(fastEstimate, slowEstimate) : Math.max(fastEstimate, slowEstimate);
}
function getAverageThroughput(mediaType, isDynamic) {
return getAverage(true, mediaType, isDynamic);
}
function getSafeAverageThroughput(mediaType, isDynamic) {
var average = getAverageThroughput(mediaType, isDynamic);
if (!isNaN(average)) {
average *= mediaPlayerModel.getBandwidthSafetyFactor();
}
return average;
}
function getAverageLatency(mediaType) {
return getAverage(false, mediaType);
}
function checkSettingsForMediaType(mediaType) {
throughputDict[mediaType] = throughputDict[mediaType] || [];
latencyDict[mediaType] = latencyDict[mediaType] || [];
ewmaThroughputDict[mediaType] = ewmaThroughputDict[mediaType] || { fastEstimate: 0, slowEstimate: 0, totalWeight: 0 };
ewmaLatencyDict[mediaType] = ewmaLatencyDict[mediaType] || { fastEstimate: 0, slowEstimate: 0, totalWeight: 0 };
}
function clearSettingsForMediaType(mediaType) {
delete throughputDict[mediaType];
delete latencyDict[mediaType];
delete ewmaThroughputDict[mediaType];
delete ewmaLatencyDict[mediaType];
checkSettingsForMediaType(mediaType);
}
function reset() {
throughputDict = {};
latencyDict = {};
ewmaThroughputDict = {};
ewmaLatencyDict = {};
}
var instance = {
push: push,
getAverageThroughput: getAverageThroughput,
getSafeAverageThroughput: getSafeAverageThroughput,
getAverageLatency: getAverageLatency,
reset: reset
};
setup();
return instance;
}
ThroughputHistory.__dashjs_factory_name = 'ThroughputHistory';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(ThroughputHistory);
module.exports = exports['default'];
},{"47":47,"98":98}],128:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _ThroughputRule = _dereq_(134);
var _ThroughputRule2 = _interopRequireDefault(_ThroughputRule);
var _InsufficientBufferRule = _dereq_(132);
var _InsufficientBufferRule2 = _interopRequireDefault(_InsufficientBufferRule);
var _AbandonRequestsRule = _dereq_(129);
var _AbandonRequestsRule2 = _interopRequireDefault(_AbandonRequestsRule);
var _DroppedFramesRule = _dereq_(131);
var _DroppedFramesRule2 = _interopRequireDefault(_DroppedFramesRule);
var _SwitchHistoryRule = _dereq_(133);
var _SwitchHistoryRule2 = _interopRequireDefault(_SwitchHistoryRule);
var _BolaRule = _dereq_(130);
var _BolaRule2 = _interopRequireDefault(_BolaRule);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
var QUALITY_SWITCH_RULES = 'qualitySwitchRules';
var ABANDON_FRAGMENT_RULES = 'abandonFragmentRules';
function ABRRulesCollection(config) {
config = config || {};
var context = this.context;
var mediaPlayerModel = config.mediaPlayerModel;
var metricsModel = config.metricsModel;
var dashMetrics = config.dashMetrics;
var instance = undefined,
qualitySwitchRules = undefined,
abandonFragmentRules = undefined;
function initialize() {
qualitySwitchRules = [];
abandonFragmentRules = [];
if (mediaPlayerModel.getUseDefaultABRRules()) {
// Only one of BolaRule and ThroughputRule will give a switchRequest.quality !== SwitchRequest.NO_CHANGE.
// This is controlled by useBufferOccupancyABR mechanism in AbrController.
qualitySwitchRules.push((0, _BolaRule2['default'])(context).create({
metricsModel: metricsModel,
dashMetrics: dashMetrics,
mediaPlayerModel: mediaPlayerModel
}));
qualitySwitchRules.push((0, _ThroughputRule2['default'])(context).create({
metricsModel: metricsModel,
dashMetrics: dashMetrics
}));
qualitySwitchRules.push((0, _InsufficientBufferRule2['default'])(context).create({
metricsModel: metricsModel,
dashMetrics: dashMetrics
}));
qualitySwitchRules.push((0, _SwitchHistoryRule2['default'])(context).create());
qualitySwitchRules.push((0, _DroppedFramesRule2['default'])(context).create());
abandonFragmentRules.push((0, _AbandonRequestsRule2['default'])(context).create({
metricsModel: metricsModel,
dashMetrics: dashMetrics,
mediaPlayerModel: mediaPlayerModel
}));
}
// add custom ABR rules if any
var customRules = mediaPlayerModel.getABRCustomRules();
customRules.forEach(function (rule) {
if (rule.type === QUALITY_SWITCH_RULES) {
qualitySwitchRules.push(rule.rule(context).create());
}
if (rule.type === ABANDON_FRAGMENT_RULES) {
abandonFragmentRules.push(rule.rule(context).create());
}
});
}
function getActiveRules(srArray) {
return srArray.filter(function (sr) {
return sr.quality > _SwitchRequest2['default'].NO_CHANGE;
});
}
function getMinSwitchRequest(srArray) {
var values = {};
var i = undefined,
len = undefined,
req = undefined,
newQuality = undefined,
quality = undefined;
if (srArray.length === 0) {
return;
}
values[_SwitchRequest2['default'].PRIORITY.STRONG] = _SwitchRequest2['default'].NO_CHANGE;
values[_SwitchRequest2['default'].PRIORITY.WEAK] = _SwitchRequest2['default'].NO_CHANGE;
values[_SwitchRequest2['default'].PRIORITY.DEFAULT] = _SwitchRequest2['default'].NO_CHANGE;
for (i = 0, len = srArray.length; i < len; i += 1) {
req = srArray[i];
if (req.quality !== _SwitchRequest2['default'].NO_CHANGE) {
values[req.priority] = values[req.priority] > _SwitchRequest2['default'].NO_CHANGE ? Math.min(values[req.priority], req.quality) : req.quality;
}
}
if (values[_SwitchRequest2['default'].PRIORITY.WEAK] !== _SwitchRequest2['default'].NO_CHANGE) {
newQuality = values[_SwitchRequest2['default'].PRIORITY.WEAK];
}
if (values[_SwitchRequest2['default'].PRIORITY.DEFAULT] !== _SwitchRequest2['default'].NO_CHANGE) {
newQuality = values[_SwitchRequest2['default'].PRIORITY.DEFAULT];
}
if (values[_SwitchRequest2['default'].PRIORITY.STRONG] !== _SwitchRequest2['default'].NO_CHANGE) {
newQuality = values[_SwitchRequest2['default'].PRIORITY.STRONG];
}
if (newQuality !== _SwitchRequest2['default'].NO_CHANGE) {
quality = newQuality;
}
return (0, _SwitchRequest2['default'])(context).create(quality);
}
function getMaxQuality(rulesContext) {
var switchRequestArray = qualitySwitchRules.map(function (rule) {
return rule.getMaxIndex(rulesContext);
});
var activeRules = getActiveRules(switchRequestArray);
var maxQuality = getMinSwitchRequest(activeRules);
return maxQuality || (0, _SwitchRequest2['default'])(context).create();
}
function shouldAbandonFragment(rulesContext) {
var abandonRequestArray = abandonFragmentRules.map(function (rule) {
return rule.shouldAbandon(rulesContext);
});
var activeRules = getActiveRules(abandonRequestArray);
var shouldAbandon = getMinSwitchRequest(activeRules);
return shouldAbandon || (0, _SwitchRequest2['default'])(context).create();
}
function reset() {
[qualitySwitchRules, abandonFragmentRules].forEach(function (rules) {
if (rules && rules.length) {
rules.forEach(function (rule) {
return rule.reset && rule.reset();
});
}
});
qualitySwitchRules = [];
abandonFragmentRules = [];
}
instance = {
initialize: initialize,
reset: reset,
getMaxQuality: getMaxQuality,
shouldAbandonFragment: shouldAbandonFragment
};
return instance;
}
ABRRulesCollection.__dashjs_factory_name = 'ABRRulesCollection';
var factory = _coreFactoryMaker2['default'].getClassFactory(ABRRulesCollection);
factory.QUALITY_SWITCH_RULES = QUALITY_SWITCH_RULES;
factory.ABANDON_FRAGMENT_RULES = ABANDON_FRAGMENT_RULES;
_coreFactoryMaker2['default'].updateSingletonFactory(ABRRulesCollection.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"125":125,"129":129,"130":130,"131":131,"132":132,"133":133,"134":134,"47":47}],129:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function AbandonRequestsRule(config) {
config = config || {};
var ABANDON_MULTIPLIER = 1.8;
var GRACE_TIME_THRESHOLD = 500;
var MIN_LENGTH_TO_AVERAGE = 5;
var context = this.context;
var mediaPlayerModel = config.mediaPlayerModel;
var metricsModel = config.metricsModel;
var dashMetrics = config.dashMetrics;
var instance = undefined,
logger = undefined,
fragmentDict = undefined,
abandonDict = undefined,
throughputArray = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
reset();
}
function setFragmentRequestDict(type, id) {
fragmentDict[type] = fragmentDict[type] || {};
fragmentDict[type][id] = fragmentDict[type][id] || {};
}
function storeLastRequestThroughputByType(type, throughput) {
throughputArray[type] = throughputArray[type] || [];
throughputArray[type].push(throughput);
}
function shouldAbandon(rulesContext) {
var switchRequest = (0, _SwitchRequest2['default'])(context).create(_SwitchRequest2['default'].NO_CHANGE, { name: AbandonRequestsRule.__dashjs_factory_name });
if (!rulesContext || !rulesContext.hasOwnProperty('getMediaInfo') || !rulesContext.hasOwnProperty('getMediaType') || !rulesContext.hasOwnProperty('getCurrentRequest') || !rulesContext.hasOwnProperty('getRepresentationInfo') || !rulesContext.hasOwnProperty('getAbrController')) {
return switchRequest;
}
var mediaInfo = rulesContext.getMediaInfo();
var mediaType = rulesContext.getMediaType();
var req = rulesContext.getCurrentRequest();
if (!isNaN(req.index)) {
setFragmentRequestDict(mediaType, req.index);
var stableBufferTime = mediaPlayerModel.getStableBufferTime();
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(mediaType));
if (bufferLevel > stableBufferTime) {
return switchRequest;
}
var fragmentInfo = fragmentDict[mediaType][req.index];
if (fragmentInfo === null || req.firstByteDate === null || abandonDict.hasOwnProperty(fragmentInfo.id)) {
return switchRequest;
}
//setup some init info based on first progress event
if (fragmentInfo.firstByteTime === undefined) {
throughputArray[mediaType] = [];
fragmentInfo.firstByteTime = req.firstByteDate.getTime();
fragmentInfo.segmentDuration = req.duration;
fragmentInfo.bytesTotal = req.bytesTotal;
fragmentInfo.id = req.index;
}
fragmentInfo.bytesLoaded = req.bytesLoaded;
fragmentInfo.elapsedTime = new Date().getTime() - fragmentInfo.firstByteTime;
if (fragmentInfo.bytesLoaded > 0 && fragmentInfo.elapsedTime > 0) {
storeLastRequestThroughputByType(mediaType, Math.round(fragmentInfo.bytesLoaded * 8 / fragmentInfo.elapsedTime));
}
if (throughputArray[mediaType].length >= MIN_LENGTH_TO_AVERAGE && fragmentInfo.elapsedTime > GRACE_TIME_THRESHOLD && fragmentInfo.bytesLoaded < fragmentInfo.bytesTotal) {
var totalSampledValue = throughputArray[mediaType].reduce(function (a, b) {
return a + b;
}, 0);
fragmentInfo.measuredBandwidthInKbps = Math.round(totalSampledValue / throughputArray[mediaType].length);
fragmentInfo.estimatedTimeOfDownload = +(fragmentInfo.bytesTotal * 8 / fragmentInfo.measuredBandwidthInKbps / 1000).toFixed(2);
if (fragmentInfo.estimatedTimeOfDownload < fragmentInfo.segmentDuration * ABANDON_MULTIPLIER || rulesContext.getRepresentationInfo().quality === 0) {
return switchRequest;
} else if (!abandonDict.hasOwnProperty(fragmentInfo.id)) {
var abrController = rulesContext.getAbrController();
var bytesRemaining = fragmentInfo.bytesTotal - fragmentInfo.bytesLoaded;
var bitrateList = abrController.getBitrateList(mediaInfo);
var newQuality = abrController.getQualityForBitrate(mediaInfo, fragmentInfo.measuredBandwidthInKbps * mediaPlayerModel.getBandwidthSafetyFactor());
var estimateOtherBytesTotal = fragmentInfo.bytesTotal * bitrateList[newQuality].bitrate / bitrateList[abrController.getQualityFor(mediaType, mediaInfo.streamInfo)].bitrate;
if (bytesRemaining > estimateOtherBytesTotal) {
switchRequest.quality = newQuality;
switchRequest.reason.throughput = fragmentInfo.measuredBandwidthInKbps;
switchRequest.reason.fragmentID = fragmentInfo.id;
abandonDict[fragmentInfo.id] = fragmentInfo;
logger.debug('( ', mediaType, 'frag id', fragmentInfo.id, ') is asking to abandon and switch to quality to ', newQuality, ' measured bandwidth was', fragmentInfo.measuredBandwidthInKbps);
delete fragmentDict[mediaType][fragmentInfo.id];
}
}
} else if (fragmentInfo.bytesLoaded === fragmentInfo.bytesTotal) {
delete fragmentDict[mediaType][fragmentInfo.id];
}
}
return switchRequest;
}
function reset() {
fragmentDict = {};
abandonDict = {};
throughputArray = [];
}
instance = {
shouldAbandon: shouldAbandon,
reset: reset
};
setup();
return instance;
}
AbandonRequestsRule.__dashjs_factory_name = 'AbandonRequestsRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(AbandonRequestsRule);
module.exports = exports['default'];
},{"125":125,"45":45,"47":47}],130:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2016, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
// For a description of the BOLA adaptive bitrate (ABR) algorithm, see http://arxiv.org/abs/1601.06748
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsMetricsConstants = _dereq_(99);
var _constantsMetricsConstants2 = _interopRequireDefault(_constantsMetricsConstants);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _voMetricsHTTPRequest = _dereq_(183);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
// BOLA_STATE_ONE_BITRATE : If there is only one bitrate (or initialization failed), always return NO_CHANGE.
// BOLA_STATE_STARTUP : Set placeholder buffer such that we download fragments at most recently measured throughput.
// BOLA_STATE_STEADY : Buffer primed, we switch to steady operation.
// TODO: add BOLA_STATE_SEEK and tune BOLA behavior on seeking
var BOLA_STATE_ONE_BITRATE = 0;
var BOLA_STATE_STARTUP = 1;
var BOLA_STATE_STEADY = 2;
var MINIMUM_BUFFER_S = 10; // BOLA should never add artificial delays if buffer is less than MINIMUM_BUFFER_S.
var MINIMUM_BUFFER_PER_BITRATE_LEVEL_S = 2;
// E.g. if there are 5 bitrates, BOLA switches to top bitrate at buffer = 10 + 5 * 2 = 20s.
// If Schedule Controller does not allow buffer to reach that level, it can be achieved through the placeholder buffer level.
var PLACEHOLDER_BUFFER_DECAY = 0.99; // Make sure placeholder buffer does not stick around too long.
function BolaRule(config) {
config = config || {};
var context = this.context;
var dashMetrics = config.dashMetrics;
var metricsModel = config.metricsModel;
var mediaPlayerModel = config.mediaPlayerModel;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
bolaStateDict = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].BUFFER_EMPTY, onBufferEmpty, instance);
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, instance);
eventBus.on(_coreEventsEvents2['default'].PERIOD_SWITCH_STARTED, onPeriodSwitchStarted, instance);
eventBus.on(_coreEventsEvents2['default'].MEDIA_FRAGMENT_LOADED, onMediaFragmentLoaded, instance);
eventBus.on(_coreEventsEvents2['default'].METRIC_ADDED, onMetricAdded, instance);
eventBus.on(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChangeRequested, instance);
eventBus.on(_coreEventsEvents2['default'].FRAGMENT_LOADING_ABANDONED, onFragmentLoadingAbandoned, instance);
}
function utilitiesFromBitrates(bitrates) {
return bitrates.map(function (b) {
return Math.log(b);
});
// no need to worry about offset, utilities will be offset (uniformly) anyway later
}
// NOTE: in live streaming, the real buffer level can drop below minimumBufferS, but bola should not stick to lowest bitrate by using a placeholder buffer level
function calculateBolaParameters(stableBufferTime, bitrates, utilities) {
var highestUtilityIndex = utilities.reduce(function (highestIndex, u, uIndex) {
return u > utilities[highestIndex] ? uIndex : highestIndex;
}, 0);
if (highestUtilityIndex === 0) {
// if highestUtilityIndex === 0, then always use lowest bitrate
return null;
}
var bufferTime = Math.max(stableBufferTime, MINIMUM_BUFFER_S + MINIMUM_BUFFER_PER_BITRATE_LEVEL_S * bitrates.length);
// TODO: Investigate if following can be better if utilities are not the default Math.log utilities.
// If using Math.log utilities, we can choose Vp and gp to always prefer bitrates[0] at minimumBufferS and bitrates[max] at bufferTarget.
// (Vp * (utility + gp) - bufferLevel) / bitrate has the maxima described when:
// Vp * (utilities[0] + gp - 1) === minimumBufferS and Vp * (utilities[max] + gp - 1) === bufferTarget
// giving:
var gp = (utilities[highestUtilityIndex] - 1) / (bufferTime / MINIMUM_BUFFER_S - 1);
var Vp = MINIMUM_BUFFER_S / gp;
// note that expressions for gp and Vp assume utilities[0] === 1, which is true because of normalization
return { gp: gp, Vp: Vp };
}
function getInitialBolaState(rulesContext) {
var initialState = {};
var mediaInfo = rulesContext.getMediaInfo();
var bitrates = mediaInfo.bitrateList.map(function (b) {
return b.bandwidth;
});
var utilities = utilitiesFromBitrates(bitrates);
utilities = utilities.map(function (u) {
return u - utilities[0] + 1;
}); // normalize
var stableBufferTime = mediaPlayerModel.getStableBufferTime();
var params = calculateBolaParameters(stableBufferTime, bitrates, utilities);
if (!params) {
// only happens when there is only one bitrate level
initialState.state = BOLA_STATE_ONE_BITRATE;
} else {
initialState.state = BOLA_STATE_STARTUP;
initialState.bitrates = bitrates;
initialState.utilities = utilities;
initialState.stableBufferTime = stableBufferTime;
initialState.Vp = params.Vp;
initialState.gp = params.gp;
initialState.lastQuality = 0;
clearBolaStateOnSeek(initialState);
}
return initialState;
}
function clearBolaStateOnSeek(bolaState) {
bolaState.placeholderBuffer = 0;
bolaState.mostAdvancedSegmentStart = NaN;
bolaState.lastSegmentWasReplacement = false;
bolaState.lastSegmentStart = NaN;
bolaState.lastSegmentDurationS = NaN;
bolaState.lastSegmentRequestTimeMs = NaN;
bolaState.lastSegmentFinishTimeMs = NaN;
}
// If the buffer target is changed (can this happen mid-stream?), then adjust BOLA parameters accordingly.
function checkBolaStateStableBufferTime(bolaState, mediaType) {
var stableBufferTime = mediaPlayerModel.getStableBufferTime();
if (bolaState.stableBufferTime !== stableBufferTime) {
var params = calculateBolaParameters(stableBufferTime, bolaState.bitrates, bolaState.utilities);
if (params.Vp !== bolaState.Vp || params.gp !== bolaState.gp) {
// correct placeholder buffer using two criteria:
// 1. do not change effective buffer level at effectiveBufferLevel === MINIMUM_BUFFER_S ( === Vp * gp )
// 2. scale placeholder buffer by Vp subject to offset indicated in 1.
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(mediaType));
var effectiveBufferLevel = bufferLevel + bolaState.placeholderBuffer;
effectiveBufferLevel -= MINIMUM_BUFFER_S;
effectiveBufferLevel *= params.Vp / bolaState.Vp;
effectiveBufferLevel += MINIMUM_BUFFER_S;
bolaState.stableBufferTime = stableBufferTime;
bolaState.Vp = params.Vp;
bolaState.gp = params.gp;
bolaState.placeholderBuffer = Math.max(0, effectiveBufferLevel - bufferLevel);
}
}
}
function getBolaState(rulesContext) {
var mediaType = rulesContext.getMediaType();
var bolaState = bolaStateDict[mediaType];
if (!bolaState) {
bolaState = getInitialBolaState(rulesContext);
bolaStateDict[mediaType] = bolaState;
} else if (bolaState.state !== BOLA_STATE_ONE_BITRATE) {
checkBolaStateStableBufferTime(bolaState, mediaType);
}
return bolaState;
}
// The core idea of BOLA.
function getQualityFromBufferLevel(bolaState, bufferLevel) {
var bitrateCount = bolaState.bitrates.length;
var quality = NaN;
var score = NaN;
for (var i = 0; i < bitrateCount; ++i) {
var s = (bolaState.Vp * (bolaState.utilities[i] + bolaState.gp) - bufferLevel) / bolaState.bitrates[i];
if (isNaN(score) || s >= score) {
score = s;
quality = i;
}
}
return quality;
}
// maximum buffer level which prefers to download at quality rather than wait
function maxBufferLevelForQuality(bolaState, quality) {
return bolaState.Vp * (bolaState.utilities[quality] + bolaState.gp);
}
// the minimum buffer level that would cause BOLA to choose quality rather than a lower bitrate
function minBufferLevelForQuality(bolaState, quality) {
var qBitrate = bolaState.bitrates[quality];
var qUtility = bolaState.utilities[quality];
var min = 0;
for (var i = quality - 1; i >= 0; --i) {
// for each bitrate less than bitrates[quality], BOLA should prefer quality (unless other bitrate has higher utility)
if (bolaState.utilities[i] < bolaState.utilities[quality]) {
var iBitrate = bolaState.bitrates[i];
var iUtility = bolaState.utilities[i];
var level = bolaState.Vp * (bolaState.gp + (qBitrate * iUtility - iBitrate * qUtility) / (qBitrate - iBitrate));
min = Math.max(min, level); // we want min to be small but at least level(i) for all i
}
}
return min;
}
/*
* The placeholder buffer increases the effective buffer that is used to calculate the bitrate.
* There are two main reasons we might want to increase the placeholder buffer:
*
* 1. When a segment finishes downloading, we would expect to get a call on getMaxIndex() regarding the quality for
* the next segment. However, there might be a delay before the next call. E.g. when streaming live content, the
* next segment might not be available yet. If the call to getMaxIndex() does happens after a delay, we don't
* want the delay to change the BOLA decision - we only want to factor download time to decide on bitrate level.
*
* 2. It is possible to get a call to getMaxIndex() without having a segment download. The buffer target in dash.js
* is different for top-quality segments and lower-quality segments. If getMaxIndex() returns a lower-than-top
* quality, then the buffer controller might decide not to download a segment. When dash.js is ready for the next
* segment, getMaxIndex() will be called again. We don't want this extra delay to factor in the bitrate decision.
*/
function updatePlaceholderBuffer(bolaState, mediaType) {
var nowMs = Date.now();
if (!isNaN(bolaState.lastSegmentFinishTimeMs)) {
// compensate for non-bandwidth-derived delays, e.g., live streaming availability, buffer controller
var delay = 0.001 * (nowMs - bolaState.lastSegmentFinishTimeMs);
bolaState.placeholderBuffer += Math.max(0, delay);
} else if (!isNaN(bolaState.lastCallTimeMs)) {
// no download after last call, compensate for delay between calls
var delay = 0.001 * (nowMs - bolaState.lastCallTimeMs);
bolaState.placeholderBuffer += Math.max(0, delay);
}
bolaState.lastCallTimeMs = nowMs;
bolaState.lastSegmentStart = NaN;
bolaState.lastSegmentRequestTimeMs = NaN;
bolaState.lastSegmentFinishTimeMs = NaN;
checkBolaStateStableBufferTime(bolaState, mediaType);
}
function onBufferEmpty() {
// if we rebuffer, we don't want the placeholder buffer to artificially raise BOLA quality
for (var mediaType in bolaStateDict) {
if (bolaStateDict.hasOwnProperty(mediaType) && bolaStateDict[mediaType].state === BOLA_STATE_STEADY) {
bolaStateDict[mediaType].placeholderBuffer = 0;
}
}
}
function onPlaybackSeeking() {
// TODO: 1. Verify what happens if we seek mid-fragment.
// TODO: 2. If e.g. we have 10s fragments and seek, we might want to download the first fragment at a lower quality to restart playback quickly.
for (var mediaType in bolaStateDict) {
if (bolaStateDict.hasOwnProperty(mediaType)) {
var bolaState = bolaStateDict[mediaType];
if (bolaState.state !== BOLA_STATE_ONE_BITRATE) {
bolaState.state = BOLA_STATE_STARTUP; // TODO: BOLA_STATE_SEEK?
clearBolaStateOnSeek(bolaState);
}
}
}
}
function onPeriodSwitchStarted() {
// TODO: does this have to be handled here?
}
function onMediaFragmentLoaded(e) {
if (e && e.chunk && e.chunk.mediaInfo) {
var bolaState = bolaStateDict[e.chunk.mediaInfo.type];
if (bolaState && bolaState.state !== BOLA_STATE_ONE_BITRATE) {
var start = e.chunk.start;
if (isNaN(bolaState.mostAdvancedSegmentStart) || start > bolaState.mostAdvancedSegmentStart) {
bolaState.mostAdvancedSegmentStart = start;
bolaState.lastSegmentWasReplacement = false;
} else {
bolaState.lastSegmentWasReplacement = true;
}
bolaState.lastSegmentStart = start;
bolaState.lastSegmentDurationS = e.chunk.duration;
bolaState.lastQuality = e.chunk.quality;
checkNewSegment(bolaState, e.chunk.mediaInfo.type);
}
}
}
function onMetricAdded(e) {
if (e && e.metric === _constantsMetricsConstants2['default'].HTTP_REQUEST && e.value && e.value.type === _voMetricsHTTPRequest.HTTPRequest.MEDIA_SEGMENT_TYPE && e.value.trace && e.value.trace.length) {
var bolaState = bolaStateDict[e.mediaType];
if (bolaState && bolaState.state !== BOLA_STATE_ONE_BITRATE) {
bolaState.lastSegmentRequestTimeMs = e.value.trequest.getTime();
bolaState.lastSegmentFinishTimeMs = e.value._tfinish.getTime();
checkNewSegment(bolaState, e.mediaType);
}
}
}
/*
* When a new segment is downloaded, we get two notifications: onMediaFragmentLoaded() and onMetricAdded(). It is
* possible that the quality for the downloaded segment was lower (not higher) than the quality indicated by BOLA.
* This might happen because of other rules such as the DroppedFramesRule. When this happens, we trim the
* placeholder buffer to make BOLA more stable. This mechanism also avoids inflating the buffer when BOLA itself
* decides not to increase the quality to avoid oscillations.
*
* We should also check for replacement segments (fast switching). In this case, a segment is downloaded but does
* not grow the actual buffer. Fast switching might cause the buffer to deplete, causing BOLA to drop the bitrate.
* We avoid this by growing the placeholder buffer.
*/
function checkNewSegment(bolaState, mediaType) {
if (!isNaN(bolaState.lastSegmentStart) && !isNaN(bolaState.lastSegmentRequestTimeMs) && !isNaN(bolaState.placeholderBuffer)) {
bolaState.placeholderBuffer *= PLACEHOLDER_BUFFER_DECAY;
// Find what maximum buffer corresponding to last segment was, and ensure placeholder is not relatively larger.
if (!isNaN(bolaState.lastSegmentFinishTimeMs)) {
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(mediaType));
var bufferAtLastSegmentRequest = bufferLevel + 0.001 * (bolaState.lastSegmentFinishTimeMs - bolaState.lastSegmentRequestTimeMs); // estimate
var maxEffectiveBufferForLastSegment = maxBufferLevelForQuality(bolaState, bolaState.lastQuality);
var maxPlaceholderBuffer = Math.max(0, maxEffectiveBufferForLastSegment - bufferAtLastSegmentRequest);
bolaState.placeholderBuffer = Math.min(maxPlaceholderBuffer, bolaState.placeholderBuffer);
}
// then see if we should grow placeholder buffer
if (bolaState.lastSegmentWasReplacement && !isNaN(bolaState.lastSegmentDurationS)) {
// compensate for segments that were downloaded but did not grow the buffer
bolaState.placeholderBuffer += bolaState.lastSegmentDurationS;
}
bolaState.lastSegmentStart = NaN;
bolaState.lastSegmentRequestTimeMs = NaN;
}
}
function onQualityChangeRequested(e) {
// Useful to store change requests when abandoning a download.
if (e) {
var bolaState = bolaStateDict[e.mediaType];
if (bolaState && bolaState.state !== BOLA_STATE_ONE_BITRATE) {
bolaState.abrQuality = e.newQuality;
}
}
}
function onFragmentLoadingAbandoned(e) {
if (e) {
var bolaState = bolaStateDict[e.mediaType];
if (bolaState && bolaState.state !== BOLA_STATE_ONE_BITRATE) {
// deflate placeholderBuffer - note that we want to be conservative when abandoning
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(e.mediaType));
var wantEffectiveBufferLevel = undefined;
if (bolaState.abrQuality > 0) {
// deflate to point where BOLA just chooses newQuality over newQuality-1
wantEffectiveBufferLevel = minBufferLevelForQuality(bolaState, bolaState.abrQuality);
} else {
wantEffectiveBufferLevel = MINIMUM_BUFFER_S;
}
var maxPlaceholderBuffer = Math.max(0, wantEffectiveBufferLevel - bufferLevel);
bolaState.placeholderBuffer = Math.min(bolaState.placeholderBuffer, maxPlaceholderBuffer);
}
}
}
function getMaxIndex(rulesContext) {
var mediaInfo = rulesContext.getMediaInfo();
var mediaType = rulesContext.getMediaType();
var metrics = metricsModel.getReadOnlyMetricsFor(mediaType);
var streamProcessor = rulesContext.getStreamProcessor();
var streamInfo = rulesContext.getStreamInfo();
var abrController = rulesContext.getAbrController();
var throughputHistory = abrController.getThroughputHistory();
var streamId = streamInfo ? streamInfo.id : null;
var isDynamic = streamInfo && streamInfo.manifestInfo && streamInfo.manifestInfo.isDynamic;
var useBufferOccupancyABR = rulesContext.useBufferOccupancyABR();
var switchRequest = (0, _SwitchRequest2['default'])(context).create();
switchRequest.reason = switchRequest.reason || {};
if (!useBufferOccupancyABR) {
return switchRequest;
}
streamProcessor.getScheduleController().setTimeToLoadDelay(0);
var bolaState = getBolaState(rulesContext);
if (bolaState.state === BOLA_STATE_ONE_BITRATE) {
// shouldn't even have been called
return switchRequest;
}
var bufferLevel = dashMetrics.getCurrentBufferLevel(metrics);
var throughput = throughputHistory.getAverageThroughput(mediaType, isDynamic);
var safeThroughput = throughputHistory.getSafeAverageThroughput(mediaType, isDynamic);
var latency = throughputHistory.getAverageLatency(mediaType);
var quality = undefined;
switchRequest.reason.state = bolaState.state;
switchRequest.reason.throughput = throughput;
switchRequest.reason.latency = latency;
if (isNaN(throughput)) {
// isNaN(throughput) === isNaN(safeThroughput) === isNaN(latency)
// still starting up - not enough information
return switchRequest;
}
switch (bolaState.state) {
case BOLA_STATE_STARTUP:
quality = abrController.getQualityForBitrate(mediaInfo, safeThroughput, latency);
switchRequest.quality = quality;
switchRequest.reason.throughput = safeThroughput;
bolaState.placeholderBuffer = Math.max(0, minBufferLevelForQuality(bolaState, quality) - bufferLevel);
bolaState.lastQuality = quality;
if (!isNaN(bolaState.lastSegmentDurationS) && bufferLevel >= bolaState.lastSegmentDurationS) {
bolaState.state = BOLA_STATE_STEADY;
}
break; // BOLA_STATE_STARTUP
case BOLA_STATE_STEADY:
// NB: The placeholder buffer is added to bufferLevel to come up with a bitrate.
// This might lead BOLA to be too optimistic and to choose a bitrate that would lead to rebuffering -
// if the real buffer bufferLevel runs out, the placeholder buffer cannot prevent rebuffering.
// However, the InsufficientBufferRule takes care of this scenario.
updatePlaceholderBuffer(bolaState, mediaType);
quality = getQualityFromBufferLevel(bolaState, bufferLevel + bolaState.placeholderBuffer);
// we want to avoid oscillations
// We implement the "BOLA-O" variant: when network bandwidth lies between two encoded bitrate levels, stick to the lowest level.
var qualityForThroughput = abrController.getQualityForBitrate(mediaInfo, safeThroughput, latency);
if (quality > bolaState.lastQuality && quality > qualityForThroughput) {
// only intervene if we are trying to *increase* quality to an *unsustainable* level
// we are only avoid oscillations - do not drop below last quality
quality = Math.max(qualityForThroughput, bolaState.lastQuality);
}
// We do not want to overfill buffer with low quality chunks.
// Note that there will be no delay if buffer level is below MINIMUM_BUFFER_S, probably even with some margin higher than MINIMUM_BUFFER_S.
var delayS = Math.max(0, bufferLevel + bolaState.placeholderBuffer - maxBufferLevelForQuality(bolaState, quality));
// First reduce placeholder buffer, then tell schedule controller to pause.
if (delayS <= bolaState.placeholderBuffer) {
bolaState.placeholderBuffer -= delayS;
delayS = 0;
} else {
delayS -= bolaState.placeholderBuffer;
bolaState.placeholderBuffer = 0;
if (quality < abrController.getTopQualityIndexFor(mediaType, streamId)) {
// At top quality, allow schedule controller to decide how far to fill buffer.
streamProcessor.getScheduleController().setTimeToLoadDelay(1000 * delayS);
} else {
delayS = 0;
}
}
switchRequest.quality = quality;
switchRequest.reason.throughput = throughput;
switchRequest.reason.latency = latency;
switchRequest.reason.bufferLevel = bufferLevel;
switchRequest.reason.placeholderBuffer = bolaState.placeholderBuffer;
switchRequest.reason.delay = delayS;
bolaState.lastQuality = quality;
// keep bolaState.state === BOLA_STATE_STEADY
break; // BOLA_STATE_STEADY
default:
logger.debug('BOLA ABR rule invoked in bad state.');
// should not arrive here, try to recover
switchRequest.quality = abrController.getQualityForBitrate(mediaInfo, safeThroughput, latency);
switchRequest.reason.state = bolaState.state;
switchRequest.reason.throughput = safeThroughput;
switchRequest.reason.latency = latency;
bolaState.state = BOLA_STATE_STARTUP;
clearBolaStateOnSeek(bolaState);
}
return switchRequest;
}
function resetInitialSettings() {
bolaStateDict = {};
}
function reset() {
resetInitialSettings();
eventBus.off(_coreEventsEvents2['default'].BUFFER_EMPTY, onBufferEmpty, instance);
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, instance);
eventBus.off(_coreEventsEvents2['default'].PERIOD_SWITCH_STARTED, onPeriodSwitchStarted, instance);
eventBus.off(_coreEventsEvents2['default'].MEDIA_FRAGMENT_LOADED, onMediaFragmentLoaded, instance);
eventBus.off(_coreEventsEvents2['default'].METRIC_ADDED, onMetricAdded, instance);
eventBus.off(_coreEventsEvents2['default'].QUALITY_CHANGE_REQUESTED, onQualityChangeRequested, instance);
eventBus.off(_coreEventsEvents2['default'].FRAGMENT_LOADING_ABANDONED, onFragmentLoadingAbandoned, instance);
}
instance = {
getMaxIndex: getMaxIndex,
reset: reset
};
setup();
return instance;
}
BolaRule.__dashjs_factory_name = 'BolaRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(BolaRule);
module.exports = exports['default'];
},{"125":125,"183":183,"45":45,"46":46,"47":47,"50":50,"99":99}],131:[function(_dereq_,module,exports){
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
function DroppedFramesRule() {
var context = this.context;
var instance = undefined,
logger = undefined;
var DROPPED_PERCENTAGE_FORBID = 0.15;
var GOOD_SAMPLE_SIZE = 375; //Don't apply the rule until this many frames have been rendered(and counted under those indices).
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function getMaxIndex(rulesContext) {
var droppedFramesHistory = rulesContext.getDroppedFramesHistory();
if (droppedFramesHistory) {
var dfh = droppedFramesHistory.getFrameHistory();
var droppedFrames = 0;
var totalFrames = 0;
var maxIndex = _SwitchRequest2['default'].NO_CHANGE;
for (var i = 1; i < dfh.length; i++) {
//No point in measuring dropped frames for the zeroeth index.
if (dfh[i]) {
droppedFrames = dfh[i].droppedVideoFrames;
totalFrames = dfh[i].totalVideoFrames;
if (totalFrames > GOOD_SAMPLE_SIZE && droppedFrames / totalFrames > DROPPED_PERCENTAGE_FORBID) {
maxIndex = i - 1;
logger.debug('index: ' + maxIndex + ' Dropped Frames: ' + droppedFrames + ' Total Frames: ' + totalFrames);
break;
}
}
}
return (0, _SwitchRequest2['default'])(context).create(maxIndex, { droppedFrames: droppedFrames });
}
return (0, _SwitchRequest2['default'])(context).create();
}
instance = {
getMaxIndex: getMaxIndex
};
setup();
return instance;
}
DroppedFramesRule.__dashjs_factory_name = 'DroppedFramesRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(DroppedFramesRule);
module.exports = exports['default'];
},{"125":125,"45":45,"47":47}],132:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _controllersBufferController = _dereq_(103);
var _controllersBufferController2 = _interopRequireDefault(_controllersBufferController);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
function InsufficientBufferRule(config) {
config = config || {};
var INSUFFICIENT_BUFFER_SAFETY_FACTOR = 0.5;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var metricsModel = config.metricsModel;
var dashMetrics = config.dashMetrics;
var instance = undefined,
logger = undefined,
bufferStateDict = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
eventBus.on(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, instance);
}
function checkConfig() {
if (!metricsModel || !metricsModel.hasOwnProperty('getReadOnlyMetricsFor') || !dashMetrics || !dashMetrics.hasOwnProperty('getCurrentBufferLevel')) {
throw new Error('Missing config parameter(s)');
}
}
/*
* InsufficientBufferRule does not kick in before the first BUFFER_LOADED event happens. This is reset at every seek.
*
* If a BUFFER_EMPTY event happens, then InsufficientBufferRule returns switchRequest.quality=0 until BUFFER_LOADED happens.
*
* Otherwise InsufficientBufferRule gives a maximum bitrate depending on throughput and bufferLevel such that
* a whole fragment can be downloaded before the buffer runs out, subject to a conservative safety factor of 0.5.
* If the bufferLevel is low, then InsufficientBufferRule avoids rebuffering risk.
* If the bufferLevel is high, then InsufficientBufferRule give a high MaxIndex allowing other rules to take over.
*/
function getMaxIndex(rulesContext) {
var switchRequest = (0, _SwitchRequest2['default'])(context).create();
if (!rulesContext || !rulesContext.hasOwnProperty('getMediaType')) {
return switchRequest;
}
checkConfig();
var mediaType = rulesContext.getMediaType();
var metrics = metricsModel.getReadOnlyMetricsFor(mediaType);
var lastBufferStateVO = metrics.BufferState.length > 0 ? metrics.BufferState[metrics.BufferState.length - 1] : null;
var representationInfo = rulesContext.getRepresentationInfo();
var fragmentDuration = representationInfo.fragmentDuration;
// Don't ask for a bitrate change if there is not info about buffer state or if fragmentDuration is not defined
if (!lastBufferStateVO || !wasFirstBufferLoadedEventTriggered(mediaType, lastBufferStateVO) || !fragmentDuration) {
return switchRequest;
}
if (lastBufferStateVO.state === _controllersBufferController2['default'].BUFFER_EMPTY) {
logger.info('Switch to index 0; buffer is empty.');
switchRequest.quality = 0;
switchRequest.reason = 'InsufficientBufferRule: Buffer is empty';
} else {
var mediaInfo = rulesContext.getMediaInfo();
var abrController = rulesContext.getAbrController();
var throughputHistory = abrController.getThroughputHistory();
var bufferLevel = dashMetrics.getCurrentBufferLevel(metrics);
var throughput = throughputHistory.getAverageThroughput(mediaType);
var latency = throughputHistory.getAverageLatency(mediaType);
var bitrate = throughput * (bufferLevel / fragmentDuration) * INSUFFICIENT_BUFFER_SAFETY_FACTOR;
switchRequest.quality = abrController.getQualityForBitrate(mediaInfo, bitrate, latency);
switchRequest.reason = 'InsufficientBufferRule: being conservative to avoid immediate rebuffering';
}
return switchRequest;
}
function wasFirstBufferLoadedEventTriggered(mediaType, currentBufferState) {
bufferStateDict[mediaType] = bufferStateDict[mediaType] || {};
var wasTriggered = false;
if (bufferStateDict[mediaType].firstBufferLoadedEvent) {
wasTriggered = true;
} else if (currentBufferState && currentBufferState.state === _controllersBufferController2['default'].BUFFER_LOADED) {
bufferStateDict[mediaType].firstBufferLoadedEvent = true;
wasTriggered = true;
}
return wasTriggered;
}
function resetInitialSettings() {
bufferStateDict = {};
}
function onPlaybackSeeking() {
resetInitialSettings();
}
function reset() {
resetInitialSettings();
eventBus.off(_coreEventsEvents2['default'].PLAYBACK_SEEKING, onPlaybackSeeking, instance);
}
instance = {
getMaxIndex: getMaxIndex,
reset: reset
};
setup();
return instance;
}
InsufficientBufferRule.__dashjs_factory_name = 'InsufficientBufferRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(InsufficientBufferRule);
module.exports = exports['default'];
},{"103":103,"125":125,"45":45,"46":46,"47":47,"50":50}],133:[function(_dereq_,module,exports){
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
function SwitchHistoryRule() {
var context = this.context;
var instance = undefined,
logger = undefined;
//MAX_SWITCH is the number of drops made. It doesn't consider the size of the drop.
var MAX_SWITCH = 0.075;
//Before this number of switch requests(no switch or actual), don't apply the rule.
//must be < SwitchRequestHistory SWITCH_REQUEST_HISTORY_DEPTH to enable rule
var SAMPLE_SIZE = 6;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function getMaxIndex(rulesContext) {
var switchRequestHistory = rulesContext ? rulesContext.getSwitchHistory() : null;
var switchRequests = switchRequestHistory ? switchRequestHistory.getSwitchRequests() : [];
var drops = 0;
var noDrops = 0;
var dropSize = 0;
var switchRequest = (0, _SwitchRequest2['default'])(context).create();
for (var i = 0; i < switchRequests.length; i++) {
if (switchRequests[i] !== undefined) {
drops += switchRequests[i].drops;
noDrops += switchRequests[i].noDrops;
dropSize += switchRequests[i].dropSize;
if (drops + noDrops >= SAMPLE_SIZE && drops / noDrops > MAX_SWITCH) {
switchRequest.quality = i > 0 && switchRequests[i].drops > 0 ? i - 1 : i;
switchRequest.reason = { index: switchRequest.quality, drops: drops, noDrops: noDrops, dropSize: dropSize };
logger.info('Switch history rule index: ' + switchRequest.quality + ' samples: ' + (drops + noDrops) + ' drops: ' + drops);
break;
}
}
}
return switchRequest;
}
instance = {
getMaxIndex: getMaxIndex
};
setup();
return instance;
}
SwitchHistoryRule.__dashjs_factory_name = 'SwitchHistoryRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(SwitchHistoryRule);
module.exports = exports['default'];
},{"125":125,"45":45,"47":47}],134:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _controllersBufferController = _dereq_(103);
var _controllersBufferController2 = _interopRequireDefault(_controllersBufferController);
var _controllersAbrController = _dereq_(100);
var _controllersAbrController2 = _interopRequireDefault(_controllersAbrController);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _SwitchRequest = _dereq_(125);
var _SwitchRequest2 = _interopRequireDefault(_SwitchRequest);
function ThroughputRule(config) {
config = config || {};
var context = this.context;
var metricsModel = config.metricsModel;
var instance = undefined,
logger = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function checkConfig() {
if (!metricsModel || !metricsModel.hasOwnProperty('getReadOnlyMetricsFor')) {
throw new Error('Missing config parameter(s)');
}
}
function getMaxIndex(rulesContext) {
var switchRequest = (0, _SwitchRequest2['default'])(context).create();
if (!rulesContext || !rulesContext.hasOwnProperty('getMediaInfo') || !rulesContext.hasOwnProperty('getMediaType') || !rulesContext.hasOwnProperty('useBufferOccupancyABR') || !rulesContext.hasOwnProperty('getAbrController') || !rulesContext.hasOwnProperty('getStreamProcessor')) {
return switchRequest;
}
checkConfig();
var mediaInfo = rulesContext.getMediaInfo();
var mediaType = rulesContext.getMediaType();
var metrics = metricsModel.getReadOnlyMetricsFor(mediaType);
var streamProcessor = rulesContext.getStreamProcessor();
var abrController = rulesContext.getAbrController();
var streamInfo = rulesContext.getStreamInfo();
var isDynamic = streamInfo && streamInfo.manifestInfo ? streamInfo.manifestInfo.isDynamic : null;
var throughputHistory = abrController.getThroughputHistory();
var throughput = throughputHistory.getSafeAverageThroughput(mediaType, isDynamic);
var latency = throughputHistory.getAverageLatency(mediaType);
var bufferStateVO = metrics.BufferState.length > 0 ? metrics.BufferState[metrics.BufferState.length - 1] : null;
var useBufferOccupancyABR = rulesContext.useBufferOccupancyABR();
if (!metrics || isNaN(throughput) || !bufferStateVO || useBufferOccupancyABR) {
return switchRequest;
}
if (abrController.getAbandonmentStateFor(mediaType) !== _controllersAbrController2['default'].ABANDON_LOAD) {
if (bufferStateVO.state === _controllersBufferController2['default'].BUFFER_LOADED || isDynamic) {
switchRequest.quality = abrController.getQualityForBitrate(mediaInfo, throughput, latency);
streamProcessor.getScheduleController().setTimeToLoadDelay(0);
logger.info('requesting switch to index: ', switchRequest.quality, 'type: ', mediaType, 'Average throughput', Math.round(throughput), 'kbps');
switchRequest.reason = { throughput: throughput, latency: latency };
}
}
return switchRequest;
}
function reset() {
// no persistent information to reset
}
instance = {
getMaxIndex: getMaxIndex,
reset: reset
};
setup();
return instance;
}
ThroughputRule.__dashjs_factory_name = 'ThroughputRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(ThroughputRule);
module.exports = exports['default'];
},{"100":100,"103":103,"125":125,"45":45,"47":47}],135:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function BufferLevelRule(config) {
config = config || {};
var dashMetrics = config.dashMetrics;
var metricsModel = config.metricsModel;
var mediaPlayerModel = config.mediaPlayerModel;
var textController = config.textController;
var abrController = config.abrController;
function setup() {}
function execute(streamProcessor, videoTrackPresent) {
var bufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(streamProcessor.getType()));
return bufferLevel < getBufferTarget(streamProcessor, videoTrackPresent);
}
function getBufferTarget(streamProcessor, videoTrackPresent) {
var bufferTarget = NaN;
if (!streamProcessor) {
return bufferTarget;
}
var type = streamProcessor.getType();
var representationInfo = streamProcessor.getCurrentRepresentationInfo();
if (type === _constantsConstants2['default'].FRAGMENTED_TEXT) {
bufferTarget = textController.isTextEnabled() ? representationInfo.fragmentDuration : 0;
} else if (type === _constantsConstants2['default'].AUDIO && videoTrackPresent) {
var videoBufferLevel = dashMetrics.getCurrentBufferLevel(metricsModel.getReadOnlyMetricsFor(_constantsConstants2['default'].VIDEO));
if (isNaN(representationInfo.fragmentDuration)) {
bufferTarget = videoBufferLevel;
} else {
bufferTarget = Math.max(videoBufferLevel, representationInfo.fragmentDuration);
}
} else {
var streamInfo = representationInfo.mediaInfo.streamInfo;
if (abrController.isPlayingAtTopQuality(streamInfo)) {
var isLongFormContent = streamInfo.manifestInfo.duration >= mediaPlayerModel.getLongFormContentDurationThreshold();
bufferTarget = isLongFormContent ? mediaPlayerModel.getBufferTimeAtTopQualityLongForm() : mediaPlayerModel.getBufferTimeAtTopQuality();
} else {
bufferTarget = mediaPlayerModel.getStableBufferTime();
}
}
return bufferTarget;
}
var instance = {
execute: execute,
getBufferTarget: getBufferTarget
};
setup();
return instance;
}
BufferLevelRule.__dashjs_factory_name = 'BufferLevelRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(BufferLevelRule);
module.exports = exports['default'];
},{"47":47,"98":98}],136:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _streamingVoFragmentRequest = _dereq_(165);
var _streamingVoFragmentRequest2 = _interopRequireDefault(_streamingVoFragmentRequest);
function NextFragmentRequestRule(config) {
config = config || {};
var context = this.context;
var adapter = config.adapter;
var textController = config.textController;
var instance = undefined,
logger = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function execute(streamProcessor, requestToReplace) {
if (!streamProcessor) {
return null;
}
var representationInfo = streamProcessor.getCurrentRepresentationInfo();
var mediaInfo = representationInfo.mediaInfo;
var mediaType = mediaInfo.type;
var scheduleController = streamProcessor.getScheduleController();
var seekTarget = scheduleController.getSeekTarget();
var hasSeekTarget = !isNaN(seekTarget);
var bufferController = streamProcessor.getBufferController();
var currentTime = streamProcessor.getPlaybackController().getTime();
var time = hasSeekTarget ? seekTarget : adapter.getIndexHandlerTime(streamProcessor);
var bufferIsDivided = false;
var request = undefined;
if (hasSeekTarget) {
scheduleController.setSeekTarget(NaN);
}
if (isNaN(time) || mediaType === _constantsConstants2['default'].FRAGMENTED_TEXT && !textController.isTextEnabled()) {
return null;
}
/**
* This is critical for IE/Safari/EDGE
* */
if (bufferController) {
var range = bufferController.getRangeAt(time);
var playingRange = bufferController.getRangeAt(currentTime);
var bufferRanges = bufferController.getBuffer().getAllBufferRanges();
var numberOfBuffers = bufferRanges ? bufferRanges.length : 0;
if ((range !== null || playingRange !== null) && !hasSeekTarget) {
if (!range || playingRange && playingRange.start != range.start && playingRange.end != range.end) {
if (numberOfBuffers > 1) {
streamProcessor.getFragmentModel().removeExecutedRequestsAfterTime(playingRange.end);
bufferIsDivided = true;
}
range = playingRange;
}
logger.debug('Prior to making a request for time, NextFragmentRequestRule is aligning index handler\'s currentTime with bufferedRange.end for', mediaType, '.', time, 'was changed to', range.end);
time = range.end;
}
}
if (requestToReplace) {
time = requestToReplace.startTime + requestToReplace.duration / 2;
request = adapter.getFragmentRequestForTime(streamProcessor, representationInfo, time, {
timeThreshold: 0,
ignoreIsFinished: true
});
} else {
request = adapter.getFragmentRequestForTime(streamProcessor, representationInfo, time, {
keepIdx: !hasSeekTarget && !bufferIsDivided
});
// Then, check if this request was downloaded or not
while (request && request.action !== _streamingVoFragmentRequest2['default'].ACTION_COMPLETE && streamProcessor.getFragmentModel().isFragmentLoaded(request)) {
// loop until we found not loaded fragment, or no fragment
request = adapter.getNextFragmentRequest(streamProcessor, representationInfo);
}
if (request) {
if (!isNaN(request.startTime + request.duration)) {
adapter.setIndexHandlerTime(streamProcessor, request.startTime + request.duration);
}
request.delayLoadingTime = new Date().getTime() + scheduleController.getTimeToLoadDelay();
scheduleController.setTimeToLoadDelay(0);
}
}
return request;
}
instance = {
execute: execute
};
setup();
return instance;
}
NextFragmentRequestRule.__dashjs_factory_name = 'NextFragmentRequestRule';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(NextFragmentRequestRule);
module.exports = exports['default'];
},{"165":165,"45":45,"47":47,"98":98}],137:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function EmbeddedTextHtmlRender() {
var captionId = 0;
var instance = undefined;
/* HTML Rendering functions */
function checkIndent(chars) {
var line = '';
for (var c = 0; c < chars.length; ++c) {
var uc = chars[c];
line += uc.uchar;
}
var l = line.length;
var ll = line.replace(/^\s+/, '').length;
return l - ll;
}
function getRegionProperties(region) {
return 'left: ' + region.x * 3.125 + '%; top: ' + region.y1 * 6.66 + '%; width: ' + (100 - region.x * 3.125) + '%; height: ' + Math.max(region.y2 - 1 - region.y1, 1) * 6.66 + '%; align-items: flex-start; overflow: visible; -webkit-writing-mode: horizontal-tb;';
}
function createRGB(color) {
if (color === 'red') {
return 'rgb(255, 0, 0)';
} else if (color === 'green') {
return 'rgb(0, 255, 0)';
} else if (color === 'blue') {
return 'rgb(0, 0, 255)';
} else if (color === 'cyan') {
return 'rgb(0, 255, 255)';
} else if (color === 'magenta') {
return 'rgb(255, 0, 255)';
} else if (color === 'yellow') {
return 'rgb(255, 255, 0)';
} else if (color === 'white') {
return 'rgb(255, 255, 255)';
} else if (color === 'black') {
return 'rgb(0, 0, 0)';
}
return color;
}
function getStyle(videoElement, style) {
var fontSize = videoElement.videoHeight / 15.0;
if (style) {
return 'font-size: ' + fontSize + 'px; font-family: Menlo, Consolas, \'Cutive Mono\', monospace; color: ' + (style.foreground ? createRGB(style.foreground) : 'rgb(255, 255, 255)') + '; font-style: ' + (style.italics ? 'italic' : 'normal') + '; text-decoration: ' + (style.underline ? 'underline' : 'none') + '; white-space: pre; background-color: ' + (style.background ? createRGB(style.background) : 'transparent') + ';';
} else {
return 'font-size: ' + fontSize + 'px; font-family: Menlo, Consolas, \'Cutive Mono\', monospace; justify-content: flex-start; text-align: left; color: rgb(255, 255, 255); font-style: normal; white-space: pre; line-height: normal; font-weight: normal; text-decoration: none; width: 100%; display: flex;';
}
}
function ltrim(s) {
return s.replace(/^\s+/g, '');
}
function rtrim(s) {
return s.replace(/\s+$/g, '');
}
function createHTMLCaptionsFromScreen(videoElement, startTime, endTime, captionScreen) {
var currRegion = null;
var existingRegion = null;
var lastRowHasText = false;
var lastRowIndentL = -1;
var currP = { start: startTime, end: endTime, spans: [] };
var currentStyle = 'style_cea608_white_black';
var seenRegions = {};
var styleStates = {};
var regions = [];
var r = undefined,
s = undefined;
for (r = 0; r < 15; ++r) {
var row = captionScreen.rows[r];
var line = '';
var prevPenState = null;
if (false === row.isEmpty()) {
/* Row is not empty */
/* Get indentation of this row */
var rowIndent = checkIndent(row.chars);
/* Create a new region is there is none */
if (currRegion === null) {
currRegion = { x: rowIndent, y1: r, y2: r + 1, p: [] };
}
/* Check if indentation has changed and we had text of last row */
if (rowIndent !== lastRowIndentL && lastRowHasText) {
currRegion.p.push(currP);
currP = { start: startTime, end: endTime, spans: [] };
currRegion.y2 = r;
currRegion.name = 'region_' + currRegion.x + '_' + currRegion.y1 + '_' + currRegion.y2;
if (false === seenRegions.hasOwnProperty(currRegion.name)) {
regions.push(currRegion);
seenRegions[currRegion.name] = currRegion;
} else {
existingRegion = seenRegions[currRegion.name];
existingRegion.p.contat(currRegion.p);
}
currRegion = { x: rowIndent, y1: r, y2: r + 1, p: [] };
}
for (var c = 0; c < row.chars.length; ++c) {
var uc = row.chars[c];
var currPenState = uc.penState;
if (prevPenState === null || !currPenState.equals(prevPenState)) {
if (line.trim().length > 0) {
currP.spans.push({ name: currentStyle, line: line, row: r });
line = '';
}
var currPenStateString = 'style_cea608_' + currPenState.foreground + '_' + currPenState.background;
if (currPenState.underline) {
currPenStateString += '_underline';
}
if (currPenState.italics) {
currPenStateString += '_italics';
}
if (!styleStates.hasOwnProperty(currPenStateString)) {
styleStates[currPenStateString] = JSON.parse(JSON.stringify(currPenState));
}
prevPenState = currPenState;
currentStyle = currPenStateString;
}
line += uc.uchar;
}
if (line.trim().length > 0) {
currP.spans.push({ name: currentStyle, line: line, row: r });
}
lastRowHasText = true;
lastRowIndentL = rowIndent;
} else {
/* Row is empty */
lastRowHasText = false;
lastRowIndentL = -1;
if (currRegion) {
currRegion.p.push(currP);
currP = { start: startTime, end: endTime, spans: [] };
currRegion.y2 = r;
currRegion.name = 'region_' + currRegion.x + '_' + currRegion.y1 + '_' + currRegion.y2;
if (false === seenRegions.hasOwnProperty(currRegion.name)) {
regions.push(currRegion);
seenRegions[currRegion.name] = currRegion;
} else {
existingRegion = seenRegions[currRegion.name];
existingRegion.p.contat(currRegion.p);
}
currRegion = null;
}
}
}
if (currRegion) {
currRegion.p.push(currP);
currRegion.y2 = r + 1;
currRegion.name = 'region_' + currRegion.x + '_' + currRegion.y1 + '_' + currRegion.y2;
if (false === seenRegions.hasOwnProperty(currRegion.name)) {
regions.push(currRegion);
seenRegions[currRegion.name] = currRegion;
} else {
existingRegion = seenRegions[currRegion.name];
existingRegion.p.contat(currRegion.p);
}
currRegion = null;
}
var captionsArray = [];
/* Loop thru regions */
for (r = 0; r < regions.length; ++r) {
var region = regions[r];
var cueID = 'sub_cea608_' + captionId++;
var finalDiv = document.createElement('div');
finalDiv.id = cueID;
var cueRegionProperties = getRegionProperties(region);
finalDiv.style.cssText = 'position: absolute; margin: 0; display: flex; box-sizing: border-box; pointer-events: none;' + cueRegionProperties;
var bodyDiv = document.createElement('div');
bodyDiv.className = 'paragraph bodyStyle';
bodyDiv.style.cssText = getStyle(videoElement);
var cueUniWrapper = document.createElement('div');
cueUniWrapper.className = 'cueUniWrapper';
cueUniWrapper.style.cssText = 'unicode-bidi: normal; direction: ltr;';
for (var p = 0; p < region.p.length; ++p) {
var ptag = region.p[p];
var lastSpanRow = 0;
for (s = 0; s < ptag.spans.length; ++s) {
var span = ptag.spans[s];
if (span.line.length > 0) {
if (s !== 0 && lastSpanRow != span.row) {
var brElement = document.createElement('br');
brElement.className = 'lineBreak';
cueUniWrapper.appendChild(brElement);
}
var sameRow = false;
if (lastSpanRow === span.row) {
sameRow = true;
}
lastSpanRow = span.row;
var spanStyle = styleStates[span.name];
var spanElement = document.createElement('span');
spanElement.className = 'spanPadding ' + span.name + ' customSpanColor';
spanElement.style.cssText = getStyle(videoElement, spanStyle);
/* If this is not the first span, and it's on the same
* row as the last one */
if (s !== 0 && sameRow) {
/* and it's the last span on this row */
if (s === ptag.spans.length - 1) {
/* trim only the right side */
spanElement.textContent = rtrim(span.line);
} else {
/* don't trim at all */
spanElement.textContent = span.line;
}
} else {
/* if there is more than 1 span and this isn't the last span */
if (ptag.spans.length > 1 && s < ptag.spans.length - 1) {
/* Check if next text is on same row */
if (span.row === ptag.spans[s + 1].row) {
/* Next element on same row, trim start */
spanElement.textContent = ltrim(span.line);
} else {
/* Different rows, trim both */
spanElement.textContent = span.line.trim();
}
} else {
spanElement.textContent = span.line.trim();
}
}
cueUniWrapper.appendChild(spanElement);
}
}
}
bodyDiv.appendChild(cueUniWrapper);
finalDiv.appendChild(bodyDiv);
var fontSize = { 'bodyStyle': ['%', 90] };
for (var _s in styleStates) {
if (styleStates.hasOwnProperty(_s)) {
fontSize[_s] = ['%', 90];
}
}
captionsArray.push({ type: 'html',
start: startTime,
end: endTime,
cueHTMLElement: finalDiv,
cueID: cueID,
cellResolution: [32, 15],
isFromCEA608: true,
regions: regions,
regionID: region.name,
videoHeight: videoElement.videoHeight,
videoWidth: videoElement.videoWidth,
fontSize: fontSize,
lineHeight: {},
linePadding: {}
});
}
return captionsArray;
}
instance = {
createHTMLCaptionsFromScreen: createHTMLCaptionsFromScreen
};
return instance;
}
EmbeddedTextHtmlRender.__dashjs_factory_name = 'EmbeddedTextHtmlRender';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(EmbeddedTextHtmlRender);
module.exports = exports['default'];
},{"47":47}],138:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _utilsInitCache = _dereq_(152);
var _utilsInitCache2 = _interopRequireDefault(_utilsInitCache);
var _SourceBufferSink = _dereq_(94);
var _SourceBufferSink2 = _interopRequireDefault(_SourceBufferSink);
var _streamingTextTextController = _dereq_(140);
var _streamingTextTextController2 = _interopRequireDefault(_streamingTextTextController);
var BUFFER_CONTROLLER_TYPE = 'NotFragmentedTextBufferController';
function NotFragmentedTextBufferController(config) {
config = config || {};
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var textController = (0, _streamingTextTextController2['default'])(context).getInstance();
var errHandler = config.errHandler;
var type = config.type;
var mimeType = config.mimeType;
var streamProcessor = config.streamProcessor;
var instance = undefined,
isBufferingCompleted = undefined,
initialized = undefined,
mediaSource = undefined,
buffer = undefined,
representationController = undefined,
initCache = undefined;
function setup() {
initialized = false;
mediaSource = null;
representationController = null;
isBufferingCompleted = false;
eventBus.on(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, instance);
eventBus.on(_coreEventsEvents2['default'].INIT_FRAGMENT_LOADED, onInitFragmentLoaded, instance);
}
function getBufferControllerType() {
return BUFFER_CONTROLLER_TYPE;
}
function initialize(source) {
setMediaSource(source);
representationController = streamProcessor.getRepresentationController();
initCache = (0, _utilsInitCache2['default'])(context).getInstance();
}
/**
* @param {MediaInfo }mediaInfo
* @memberof BufferController#
*/
function createBuffer(mediaInfo) {
try {
buffer = (0, _SourceBufferSink2['default'])(context).create(mediaSource, mediaInfo);
if (!initialized) {
var textBuffer = buffer.getBuffer();
if (textBuffer.hasOwnProperty(_constantsConstants2['default'].INITIALIZE)) {
textBuffer.initialize(mimeType, streamProcessor);
}
initialized = true;
}
return buffer;
} catch (e) {
if (mediaInfo.isText || mediaInfo.codec.indexOf('codecs="stpp') !== -1 || mediaInfo.codec.indexOf('codecs="wvtt') !== -1) {
try {
buffer = textController.getTextSourceBuffer();
} catch (e) {
errHandler.mediaSourceError('Error creating ' + type + ' source buffer.');
}
} else {
errHandler.mediaSourceError('Error creating ' + type + ' source buffer.');
}
}
}
function getType() {
return type;
}
function getBuffer() {
return buffer;
}
function setMediaSource(value) {
mediaSource = value;
}
function getMediaSource() {
return mediaSource;
}
function getStreamProcessor() {
return streamProcessor;
}
function getIsPruningInProgress() {
return false;
}
function dischargePreBuffer() {}
function setSeekStartTime() {//Unused - TODO Remove need for stub function
}
function getBufferLevel() {
return 0;
}
function getIsBufferingCompleted() {
return isBufferingCompleted;
}
function reset(errored) {
eventBus.off(_coreEventsEvents2['default'].DATA_UPDATE_COMPLETED, onDataUpdateCompleted, instance);
eventBus.off(_coreEventsEvents2['default'].INIT_FRAGMENT_LOADED, onInitFragmentLoaded, instance);
if (!errored && buffer) {
buffer.abort();
buffer.reset();
buffer = null;
}
}
function onDataUpdateCompleted(e) {
if (e.sender.getStreamProcessor() !== streamProcessor) {
return;
}
var chunk = initCache.extract(streamProcessor.getStreamInfo().id, e.sender.getCurrentRepresentation().id);
if (!chunk) {
eventBus.trigger(_coreEventsEvents2['default'].TIMED_TEXT_REQUESTED, {
index: 0,
sender: e.sender
}); //TODO make index dynamic if referring to MP?
}
}
function onInitFragmentLoaded(e) {
if (e.fragmentModel !== streamProcessor.getFragmentModel() || !e.chunk.bytes) {
return;
}
initCache.save(e.chunk);
buffer.append(e.chunk);
eventBus.trigger(_coreEventsEvents2['default'].STREAM_COMPLETED, {
request: e.request,
fragmentModel: e.fragmentModel
});
}
function switchInitData(streamId, representationId) {
var chunk = initCache.extract(streamId, representationId);
if (!chunk) {
eventBus.trigger(_coreEventsEvents2['default'].TIMED_TEXT_REQUESTED, {
index: 0,
sender: instance
});
}
}
function getRangeAt() {
return null;
}
function updateTimestampOffset(MSETimeOffset) {
if (buffer.timestampOffset !== MSETimeOffset && !isNaN(MSETimeOffset)) {
buffer.timestampOffset = MSETimeOffset;
}
}
instance = {
getBufferControllerType: getBufferControllerType,
initialize: initialize,
createBuffer: createBuffer,
getType: getType,
getStreamProcessor: getStreamProcessor,
setSeekStartTime: setSeekStartTime,
getBuffer: getBuffer,
getBufferLevel: getBufferLevel,
setMediaSource: setMediaSource,
getMediaSource: getMediaSource,
getIsBufferingCompleted: getIsBufferingCompleted,
getIsPruningInProgress: getIsPruningInProgress,
dischargePreBuffer: dischargePreBuffer,
switchInitData: switchInitData,
getRangeAt: getRangeAt,
reset: reset,
updateTimestampOffset: updateTimestampOffset
};
setup();
return instance;
}
NotFragmentedTextBufferController.__dashjs_factory_name = BUFFER_CONTROLLER_TYPE;
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(NotFragmentedTextBufferController);
module.exports = exports['default'];
},{"140":140,"152":152,"46":46,"47":47,"50":50,"94":94,"98":98}],139:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _controllersBufferController = _dereq_(103);
var _controllersBufferController2 = _interopRequireDefault(_controllersBufferController);
var _NotFragmentedTextBufferController = _dereq_(138);
var _NotFragmentedTextBufferController2 = _interopRequireDefault(_NotFragmentedTextBufferController);
function TextBufferController(config) {
config = config || {};
var context = this.context;
var _BufferControllerImpl = undefined;
var instance = undefined;
function setup() {
// according to text type, we create corresponding buffer controller
if (config.type === _constantsConstants2['default'].FRAGMENTED_TEXT) {
// in this case, internal buffer ocntroller is a classical BufferController object
_BufferControllerImpl = (0, _controllersBufferController2['default'])(context).create({
type: config.type,
metricsModel: config.metricsModel,
mediaPlayerModel: config.mediaPlayerModel,
manifestModel: config.manifestModel,
errHandler: config.errHandler,
streamController: config.streamController,
mediaController: config.mediaController,
adapter: config.adapter,
textController: config.textController,
abrController: config.abrController,
playbackController: config.playbackController,
streamProcessor: config.streamProcessor
});
} else {
// in this case, internal buffer controller is a not fragmented text controller object
_BufferControllerImpl = (0, _NotFragmentedTextBufferController2['default'])(context).create({
type: config.type,
mimeType: config.mimeType,
errHandler: config.errHandler,
streamProcessor: config.streamProcessor
});
}
}
function getBufferControllerType() {
return _BufferControllerImpl.getBufferControllerType();
}
function initialize(source, StreamProcessor) {
return _BufferControllerImpl.initialize(source, StreamProcessor);
}
/**
* @param {MediaInfo }mediaInfo
* @returns {Object} SourceBuffer object
* @memberof BufferController#
*/
function createBuffer(mediaInfo) {
return _BufferControllerImpl.createBuffer(mediaInfo);
}
function getType() {
return _BufferControllerImpl.getType();
}
function getBuffer() {
return _BufferControllerImpl.getBuffer();
}
function setBuffer(value) {
_BufferControllerImpl.setBuffer(value);
}
function getMediaSource() {
return _BufferControllerImpl.getMediaSource();
}
function setMediaSource(value) {
_BufferControllerImpl.setMediaSource(value);
}
function getStreamProcessor() {
_BufferControllerImpl.getStreamProcessor();
}
function setSeekStartTime(value) {
_BufferControllerImpl.setSeekStartTime(value);
}
function getBufferLevel() {
return _BufferControllerImpl.getBufferLevel();
}
function reset(errored) {
_BufferControllerImpl.reset(errored);
}
function getIsBufferingCompleted() {
return _BufferControllerImpl.getIsBufferingCompleted();
}
function switchInitData(streamId, representationId) {
_BufferControllerImpl.switchInitData(streamId, representationId);
}
function getIsPruningInProgress() {
return _BufferControllerImpl.getIsPruningInProgress();
}
function dischargePreBuffer() {
return _BufferControllerImpl.dischargePreBuffer();
}
function getRangeAt(time) {
return _BufferControllerImpl.getRangeAt(time);
}
function updateTimestampOffset(MSETimeOffset) {
var buffer = getBuffer();
if (buffer.timestampOffset !== MSETimeOffset && !isNaN(MSETimeOffset)) {
buffer.timestampOffset = MSETimeOffset;
}
}
instance = {
getBufferControllerType: getBufferControllerType,
initialize: initialize,
createBuffer: createBuffer,
getType: getType,
getStreamProcessor: getStreamProcessor,
setSeekStartTime: setSeekStartTime,
getBuffer: getBuffer,
setBuffer: setBuffer,
getBufferLevel: getBufferLevel,
setMediaSource: setMediaSource,
getMediaSource: getMediaSource,
getIsBufferingCompleted: getIsBufferingCompleted,
getIsPruningInProgress: getIsPruningInProgress,
dischargePreBuffer: dischargePreBuffer,
switchInitData: switchInitData,
getRangeAt: getRangeAt,
reset: reset,
updateTimestampOffset: updateTimestampOffset
};
setup();
return instance;
}
TextBufferController.__dashjs_factory_name = 'TextBufferController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(TextBufferController);
module.exports = exports['default'];
},{"103":103,"138":138,"47":47,"98":98}],140:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _TextSourceBuffer = _dereq_(141);
var _TextSourceBuffer2 = _interopRequireDefault(_TextSourceBuffer);
var _TextTracks = _dereq_(142);
var _TextTracks2 = _interopRequireDefault(_TextTracks);
var _utilsVTTParser = _dereq_(159);
var _utilsVTTParser2 = _interopRequireDefault(_utilsVTTParser);
var _utilsTTMLParser = _dereq_(157);
var _utilsTTMLParser2 = _interopRequireDefault(_utilsTTMLParser);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
function TextController() {
var context = this.context;
var instance = undefined;
var textSourceBuffer = undefined;
var errHandler = undefined,
dashManifestModel = undefined,
manifestModel = undefined,
mediaController = undefined,
videoModel = undefined,
streamController = undefined,
textTracks = undefined,
vttParser = undefined,
ttmlParser = undefined,
eventBus = undefined,
defaultLanguage = undefined,
lastEnabledIndex = undefined,
textDefaultEnabled = undefined,
// this is used for default settings (each time a file is loaded, we check value of this settings )
allTracksAreDisabled = undefined,
// this is used for one session (when a file has been loaded, we use this settings to enable/disable text)
forceTextStreaming = undefined;
function setup() {
defaultLanguage = '';
lastEnabledIndex = -1;
textDefaultEnabled = true;
forceTextStreaming = false;
textTracks = (0, _TextTracks2['default'])(context).getInstance();
vttParser = (0, _utilsVTTParser2['default'])(context).getInstance();
ttmlParser = (0, _utilsTTMLParser2['default'])(context).getInstance();
textSourceBuffer = (0, _TextSourceBuffer2['default'])(context).getInstance();
eventBus = (0, _coreEventBus2['default'])(context).getInstance();
textTracks.initialize();
eventBus.on(_coreEventsEvents2['default'].TEXT_TRACKS_QUEUE_INITIALIZED, onTextTracksAdded, instance);
resetInitialSettings();
}
function setConfig(config) {
if (!config) {
return;
}
if (config.errHandler) {
errHandler = config.errHandler;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.mediaController) {
mediaController = config.mediaController;
}
if (config.videoModel) {
videoModel = config.videoModel;
}
if (config.streamController) {
streamController = config.streamController;
}
if (config.textTracks) {
textTracks = config.textTracks;
}
if (config.vttParser) {
vttParser = config.vttParser;
}
if (config.ttmlParser) {
ttmlParser = config.ttmlParser;
}
// create config for source buffer
textSourceBuffer.setConfig({
errHandler: errHandler,
dashManifestModel: dashManifestModel,
manifestModel: manifestModel,
mediaController: mediaController,
videoModel: videoModel,
streamController: streamController,
textTracks: textTracks,
vttParser: vttParser,
ttmlParser: ttmlParser
});
}
function getTextSourceBuffer() {
return textSourceBuffer;
}
function getAllTracksAreDisabled() {
return allTracksAreDisabled;
}
function addEmbeddedTrack(mediaInfo) {
textSourceBuffer.addEmbeddedTrack(mediaInfo);
}
function setTextDefaultLanguage(lang) {
if (typeof lang !== 'string') {
return;
}
defaultLanguage = lang;
}
function getTextDefaultLanguage() {
return defaultLanguage;
}
function onTextTracksAdded(e) {
var _this = this;
var tracks = e.tracks;
var index = e.index;
tracks.some(function (item, idx) {
if (item.lang === defaultLanguage) {
_this.setTextTrack(idx);
index = idx;
return true;
}
});
if (!textDefaultEnabled) {
// disable text at startup
this.setTextTrack(-1);
}
lastEnabledIndex = index;
eventBus.trigger(_coreEventsEvents2['default'].TEXT_TRACKS_ADDED, {
enabled: isTextEnabled(),
index: index,
tracks: tracks
});
}
function setTextDefaultEnabled(enable) {
if (typeof enable !== 'boolean') {
return;
}
textDefaultEnabled = enable;
if (!textDefaultEnabled) {
// disable text at startup
this.setTextTrack(-1);
}
}
function getTextDefaultEnabled() {
return textDefaultEnabled;
}
function enableText(enable) {
if (typeof enable !== 'boolean') {
return;
}
if (isTextEnabled() !== enable) {
// change track selection
if (enable) {
// apply last enabled tractk
this.setTextTrack(lastEnabledIndex);
}
if (!enable) {
// keep last index and disable text track
lastEnabledIndex = this.getCurrentTrackIdx();
this.setTextTrack(-1);
}
}
}
function isTextEnabled() {
var enabled = true;
if (allTracksAreDisabled && !forceTextStreaming) {
enabled = false;
}
return enabled;
}
// when set to true NextFragmentRequestRule will allow schedule of chunks even if tracks are all disabled. Allowing streaming to hidden track for external players to work with.
function enableForcedTextStreaming(enable) {
if (typeof enable !== 'boolean') {
return;
}
forceTextStreaming = enable;
}
function setTextTrack(idx) {
//For external time text file, the only action needed to change a track is marking the track mode to showing.
// Fragmented text tracks need the additional step of calling TextController.setTextTrack();
var config = textSourceBuffer.getConfig();
var fragmentModel = config.fragmentModel;
var fragmentedTracks = config.fragmentedTracks;
var videoModel = config.videoModel;
var mediaInfosArr = undefined,
streamProcessor = undefined;
allTracksAreDisabled = idx === -1 ? true : false;
var oldTrackIdx = textTracks.getCurrentTrackIdx();
if (oldTrackIdx !== idx) {
textTracks.setModeForTrackIdx(oldTrackIdx, _constantsConstants2['default'].TEXT_HIDDEN);
textTracks.setCurrentTrackIdx(idx);
textTracks.setModeForTrackIdx(idx, _constantsConstants2['default'].TEXT_SHOWING);
var currentTrackInfo = textTracks.getCurrentTrackInfo();
if (currentTrackInfo && currentTrackInfo.isFragmented && !currentTrackInfo.isEmbedded) {
for (var i = 0; i < fragmentedTracks.length; i++) {
var mediaInfo = fragmentedTracks[i];
if (currentTrackInfo.lang === mediaInfo.lang && currentTrackInfo.index === mediaInfo.index && (mediaInfo.id ? currentTrackInfo.label === mediaInfo.id : currentTrackInfo.label === mediaInfo.index)) {
var currentFragTrack = mediaController.getCurrentTrackFor(_constantsConstants2['default'].FRAGMENTED_TEXT, streamController.getActiveStreamInfo());
if (mediaInfo !== currentFragTrack) {
fragmentModel.abortRequests();
fragmentModel.removeExecutedRequestsBeforeTime();
textSourceBuffer.remove();
textTracks.deleteCuesFromTrackIdx(oldTrackIdx);
mediaController.setTrack(mediaInfo);
textSourceBuffer.setCurrentFragmentedTrackIdx(i);
} else if (oldTrackIdx === -1) {
//in fragmented use case, if the user selects the older track (the one selected before disabled text track)
//no CURRENT_TRACK_CHANGED event will be trigger, so dashHandler current time has to be updated and the scheduleController
//has to be restarted.
var streamProcessors = streamController.getActiveStreamProcessors();
for (var _i = 0; _i < streamProcessors.length; _i++) {
if (streamProcessors[_i].getType() === _constantsConstants2['default'].FRAGMENTED_TEXT) {
streamProcessor = streamProcessors[_i];
break;
}
}
streamProcessor.getIndexHandler().setCurrentTime(videoModel.getTime());
streamProcessor.getScheduleController().start();
}
}
}
} else if (currentTrackInfo && !currentTrackInfo.isFragmented) {
var streamProcessors = streamController.getActiveStreamProcessors();
for (var i = 0; i < streamProcessors.length; i++) {
if (streamProcessors[i].getType() === _constantsConstants2['default'].TEXT) {
streamProcessor = streamProcessors[i];
mediaInfosArr = streamProcessor.getMediaInfoArr();
break;
}
}
if (streamProcessor && mediaInfosArr) {
for (var i = 0; i < mediaInfosArr.length; i++) {
if (mediaInfosArr[i].index === currentTrackInfo.index && mediaInfosArr[i].lang === currentTrackInfo.lang) {
streamProcessor.selectMediaInfo(mediaInfosArr[i]);
break;
}
}
}
}
}
}
function getCurrentTrackIdx() {
return textTracks.getCurrentTrackIdx();
}
function resetInitialSettings() {
allTracksAreDisabled = false;
}
function reset() {
resetInitialSettings();
textSourceBuffer.resetEmbedded();
textSourceBuffer.reset();
}
instance = {
setConfig: setConfig,
getTextSourceBuffer: getTextSourceBuffer,
getAllTracksAreDisabled: getAllTracksAreDisabled,
addEmbeddedTrack: addEmbeddedTrack,
getTextDefaultLanguage: getTextDefaultLanguage,
setTextDefaultLanguage: setTextDefaultLanguage,
setTextDefaultEnabled: setTextDefaultEnabled,
getTextDefaultEnabled: getTextDefaultEnabled,
enableText: enableText,
isTextEnabled: isTextEnabled,
setTextTrack: setTextTrack,
getCurrentTrackIdx: getCurrentTrackIdx,
enableForcedTextStreaming: enableForcedTextStreaming,
reset: reset
};
setup();
return instance;
}
TextController.__dashjs_factory_name = 'TextController';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(TextController);
module.exports = exports['default'];
},{"141":141,"142":142,"157":157,"159":159,"46":46,"47":47,"50":50,"98":98}],141:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _voMetricsHTTPRequest = _dereq_(183);
var _voTextTrackInfo = _dereq_(175);
var _voTextTrackInfo2 = _interopRequireDefault(_voTextTrackInfo);
var _dashUtilsFragmentedTextBoxParser = _dereq_(71);
var _dashUtilsFragmentedTextBoxParser2 = _interopRequireDefault(_dashUtilsFragmentedTextBoxParser);
var _utilsBoxParser = _dereq_(146);
var _utilsBoxParser2 = _interopRequireDefault(_utilsBoxParser);
var _utilsCustomTimeRanges = _dereq_(148);
var _utilsCustomTimeRanges2 = _interopRequireDefault(_utilsCustomTimeRanges);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _TextTracks = _dereq_(142);
var _TextTracks2 = _interopRequireDefault(_TextTracks);
var _EmbeddedTextHtmlRender = _dereq_(137);
var _EmbeddedTextHtmlRender2 = _interopRequireDefault(_EmbeddedTextHtmlRender);
var _codemIsoboxer = _dereq_(5);
var _codemIsoboxer2 = _interopRequireDefault(_codemIsoboxer);
var _externalsCea608Parser = _dereq_(2);
var _externalsCea608Parser2 = _interopRequireDefault(_externalsCea608Parser);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
function TextSourceBuffer() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var embeddedInitialized = false;
var instance = undefined,
logger = undefined,
boxParser = undefined,
errHandler = undefined,
dashManifestModel = undefined,
manifestModel = undefined,
mediaController = undefined,
parser = undefined,
vttParser = undefined,
ttmlParser = undefined,
fragmentedTextBoxParser = undefined,
mediaInfos = undefined,
textTracks = undefined,
fragmentedFragmentModel = undefined,
initializationSegmentReceived = undefined,
timescale = undefined,
fragmentedTracks = undefined,
videoModel = undefined,
streamController = undefined,
firstFragmentedSubtitleStart = undefined,
currFragmentedTrackIdx = undefined,
embeddedTracks = undefined,
embeddedInitializationSegmentReceived = undefined,
embeddedTimescale = undefined,
embeddedLastSequenceNumber = undefined,
embeddedSequenceNumbers = undefined,
embeddedCea608FieldParsers = undefined,
embeddedTextHtmlRender = undefined,
mseTimeOffset = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
resetInitialSettings();
}
function resetFragmented() {
fragmentedFragmentModel = null;
timescale = NaN;
fragmentedTracks = [];
firstFragmentedSubtitleStart = null;
initializationSegmentReceived = false;
}
function resetInitialSettings() {
resetFragmented();
mediaInfos = [];
parser = null;
}
function initialize(mimeType, streamProcessor) {
if (!embeddedInitialized) {
initEmbedded();
}
textTracks.setConfig({
videoModel: videoModel
});
textTracks.initialize();
if (!boxParser) {
boxParser = (0, _utilsBoxParser2['default'])(context).getInstance();
fragmentedTextBoxParser = (0, _dashUtilsFragmentedTextBoxParser2['default'])(context).getInstance();
fragmentedTextBoxParser.setConfig({
boxParser: boxParser
});
}
addMediaInfos(mimeType, streamProcessor);
}
function addMediaInfos(mimeType, streamProcessor) {
var isFragmented = !dashManifestModel.getIsTextTrack(mimeType);
if (streamProcessor) {
mediaInfos = mediaInfos.concat(streamProcessor.getMediaInfoArr());
if (isFragmented) {
fragmentedFragmentModel = streamProcessor.getFragmentModel();
instance.buffered = (0, _utilsCustomTimeRanges2['default'])(context).create();
fragmentedTracks = mediaController.getTracksFor(_constantsConstants2['default'].FRAGMENTED_TEXT, streamController.getActiveStreamInfo());
var currFragTrack = mediaController.getCurrentTrackFor(_constantsConstants2['default'].FRAGMENTED_TEXT, streamController.getActiveStreamInfo());
for (var i = 0; i < fragmentedTracks.length; i++) {
if (fragmentedTracks[i] === currFragTrack) {
currFragmentedTrackIdx = i;
break;
}
}
}
for (var i = 0; i < mediaInfos.length; i++) {
createTextTrackFromMediaInfo(null, mediaInfos[i]);
}
}
}
function abort() {
textTracks.deleteAllTextTracks();
fragmentedTextBoxParser = null;
boxParser = null;
mediaInfos = [];
fragmentedFragmentModel = null;
initializationSegmentReceived = false;
fragmentedTracks = [];
}
function reset() {
resetInitialSettings();
streamController = null;
videoModel = null;
textTracks = null;
}
function onVideoChunkReceived(e) {
var chunk = e.chunk;
if (chunk.mediaInfo.embeddedCaptions) {
append(chunk.bytes, chunk);
}
}
function initEmbedded() {
embeddedTracks = [];
textTracks = (0, _TextTracks2['default'])(context).getInstance();
textTracks.setConfig({
videoModel: videoModel
});
textTracks.initialize();
boxParser = (0, _utilsBoxParser2['default'])(context).getInstance();
fragmentedTextBoxParser = (0, _dashUtilsFragmentedTextBoxParser2['default'])(context).getInstance();
fragmentedTextBoxParser.setConfig({
boxParser: boxParser
});
currFragmentedTrackIdx = null;
embeddedInitializationSegmentReceived = false;
embeddedTimescale = 0;
embeddedCea608FieldParsers = [];
embeddedSequenceNumbers = [];
embeddedLastSequenceNumber = null;
embeddedInitialized = true;
embeddedTextHtmlRender = (0, _EmbeddedTextHtmlRender2['default'])(context).getInstance();
var streamProcessors = streamController.getActiveStreamProcessors();
for (var i in streamProcessors) {
if (streamProcessors[i].getType() === 'video') {
mseTimeOffset = streamProcessors[i].getCurrentRepresentationInfo().MSETimeOffset;
break;
}
}
eventBus.on(_coreEventsEvents2['default'].VIDEO_CHUNK_RECEIVED, onVideoChunkReceived, this);
}
function resetEmbedded() {
eventBus.off(_coreEventsEvents2['default'].VIDEO_CHUNK_RECEIVED, onVideoChunkReceived, this);
if (textTracks) {
textTracks.deleteAllTextTracks();
}
embeddedInitialized = false;
embeddedTracks = [];
embeddedCea608FieldParsers = [null, null];
embeddedSequenceNumbers = [];
embeddedLastSequenceNumber = null;
}
function addEmbeddedTrack(mediaInfo) {
if (!embeddedInitialized) {
initEmbedded();
}
if (mediaInfo) {
if (mediaInfo.id === _constantsConstants2['default'].CC1 || mediaInfo.id === _constantsConstants2['default'].CC3) {
for (var i = 0; i < embeddedTracks.length; i++) {
if (embeddedTracks[i].id === mediaInfo.id) {
return;
}
}
embeddedTracks.push(mediaInfo);
} else {
logger.warn('Embedded track ' + mediaInfo.id + ' not supported!');
}
}
}
function setConfig(config) {
if (!config) {
return;
}
if (config.errHandler) {
errHandler = config.errHandler;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
if (config.manifestModel) {
manifestModel = config.manifestModel;
}
if (config.mediaController) {
mediaController = config.mediaController;
}
if (config.videoModel) {
videoModel = config.videoModel;
}
if (config.streamController) {
streamController = config.streamController;
}
if (config.textTracks) {
textTracks = config.textTracks;
}
if (config.vttParser) {
vttParser = config.vttParser;
}
if (config.ttmlParser) {
ttmlParser = config.ttmlParser;
}
}
function getConfig() {
var config = {
fragmentModel: fragmentedFragmentModel,
fragmentedTracks: fragmentedTracks,
videoModel: videoModel
};
return config;
}
function setCurrentFragmentedTrackIdx(idx) {
currFragmentedTrackIdx = idx;
}
function createTextTrackFromMediaInfo(captionData, mediaInfo) {
var textTrackInfo = new _voTextTrackInfo2['default']();
var trackKindMap = { subtitle: 'subtitles', caption: 'captions' }; //Dash Spec has no "s" on end of KIND but HTML needs plural.
var getKind = function getKind() {
var kind = mediaInfo.roles.length > 0 ? trackKindMap[mediaInfo.roles[0]] : trackKindMap.caption;
kind = kind === trackKindMap.caption || kind === trackKindMap.subtitle ? kind : trackKindMap.caption;
return kind;
};
var checkTTML = function checkTTML() {
var ttml = false;
if (mediaInfo.codec && mediaInfo.codec.search(_constantsConstants2['default'].STPP) >= 0) {
ttml = true;
}
if (mediaInfo.mimeType && mediaInfo.mimeType.search(_constantsConstants2['default'].TTML) >= 0) {
ttml = true;
}
return ttml;
};
textTrackInfo.captionData = captionData;
textTrackInfo.lang = mediaInfo.lang;
textTrackInfo.label = mediaInfo.id ? mediaInfo.id : mediaInfo.index; // AdaptationSet id (an unsigned int) as it's optionnal parameter, use mediaInfo.index
textTrackInfo.index = mediaInfo.index; // AdaptationSet index in manifest
textTrackInfo.isTTML = checkTTML();
textTrackInfo.defaultTrack = getIsDefault(mediaInfo);
textTrackInfo.isFragmented = !dashManifestModel.getIsTextTrack(mediaInfo.mimeType);
textTrackInfo.isEmbedded = mediaInfo.isEmbedded ? true : false;
textTrackInfo.kind = getKind();
textTrackInfo.roles = mediaInfo.roles;
textTrackInfo.accessibility = mediaInfo.accessibility;
var totalNrTracks = (mediaInfos ? mediaInfos.length : 0) + embeddedTracks.length;
textTracks.addTextTrack(textTrackInfo, totalNrTracks);
}
function append(bytes, chunk) {
var result = undefined,
sampleList = undefined,
i = undefined,
j = undefined,
k = undefined,
samplesInfo = undefined,
ccContent = undefined;
var mediaInfo = chunk.mediaInfo;
var mediaType = mediaInfo.type;
var mimeType = mediaInfo.mimeType;
var codecType = mediaInfo.codec || mimeType;
if (!codecType) {
logger.error('No text type defined');
return;
}
if (mediaType === _constantsConstants2['default'].FRAGMENTED_TEXT) {
if (!initializationSegmentReceived) {
initializationSegmentReceived = true;
timescale = fragmentedTextBoxParser.getMediaTimescaleFromMoov(bytes);
} else {
samplesInfo = fragmentedTextBoxParser.getSamplesInfo(bytes);
sampleList = samplesInfo.sampleList;
if (!firstFragmentedSubtitleStart && sampleList.length > 0) {
firstFragmentedSubtitleStart = sampleList[0].cts - chunk.start * timescale;
}
if (codecType.search(_constantsConstants2['default'].STPP) >= 0) {
parser = parser !== null ? parser : getParser(codecType);
for (i = 0; i < sampleList.length; i++) {
var sample = sampleList[i];
var sampleStart = sample.cts;
var sampleRelStart = sampleStart - firstFragmentedSubtitleStart;
this.buffered.add(sampleRelStart / timescale, (sampleRelStart + sample.duration) / timescale);
var dataView = new DataView(bytes, sample.offset, sample.subSizes[0]);
ccContent = _codemIsoboxer2['default'].Utils.dataViewToString(dataView, _constantsConstants2['default'].UTF8);
var images = [];
var subOffset = sample.offset + sample.subSizes[0];
for (j = 1; j < sample.subSizes.length; j++) {
var inData = new Uint8Array(bytes, subOffset, sample.subSizes[j]);
var raw = String.fromCharCode.apply(null, inData);
images.push(raw);
subOffset += sample.subSizes[j];
}
try {
// Only used for Miscrosoft Smooth Streaming support - caption time is relative to sample time. In this case, we apply an offset.
var manifest = manifestModel.getValue();
var offsetTime = manifest.ttmlTimeIsRelative ? sampleStart / timescale : 0;
result = parser.parse(ccContent, offsetTime, sampleStart / timescale, (sampleStart + sample.duration) / timescale, images);
textTracks.addCaptions(currFragmentedTrackIdx, firstFragmentedSubtitleStart / timescale, result);
} catch (e) {
fragmentedFragmentModel.removeExecutedRequestsBeforeTime();
this.remove();
logger.error('TTML parser error: ' + e.message);
}
}
} else {
// WebVTT case
var captionArray = [];
for (i = 0; i < sampleList.length; i++) {
var sample = sampleList[i];
sample.cts -= firstFragmentedSubtitleStart;
this.buffered.add(sample.cts / timescale, (sample.cts + sample.duration) / timescale);
var sampleData = bytes.slice(sample.offset, sample.offset + sample.size);
// There are boxes inside the sampleData, so we need a ISOBoxer to get at it.
var sampleBoxes = _codemIsoboxer2['default'].parseBuffer(sampleData);
for (j = 0; j < sampleBoxes.boxes.length; j++) {
var box1 = sampleBoxes.boxes[j];
logger.debug('VTT box1: ' + box1.type);
if (box1.type === 'vtte') {
continue; //Empty box
}
if (box1.type === 'vttc') {
logger.debug('VTT vttc boxes.length = ' + box1.boxes.length);
for (k = 0; k < box1.boxes.length; k++) {
var box2 = box1.boxes[k];
logger.debug('VTT box2: ' + box2.type);
if (box2.type === 'payl') {
var cue_text = box2.cue_text;
logger.debug('VTT cue_text = ' + cue_text);
var start_time = sample.cts / timescale;
var end_time = (sample.cts + sample.duration) / timescale;
captionArray.push({
start: start_time,
end: end_time,
data: cue_text,
styles: {}
});
logger.debug('VTT ' + start_time + '-' + end_time + ' : ' + cue_text);
}
}
}
}
}
if (captionArray.length > 0) {
textTracks.addCaptions(currFragmentedTrackIdx, 0, captionArray);
}
}
}
} else if (mediaType === _constantsConstants2['default'].TEXT) {
var dataView = new DataView(bytes, 0, bytes.byteLength);
ccContent = _codemIsoboxer2['default'].Utils.dataViewToString(dataView, _constantsConstants2['default'].UTF8);
try {
result = getParser(codecType).parse(ccContent, 0);
textTracks.addCaptions(textTracks.getCurrentTrackIdx(), 0, result);
} catch (e) {
errHandler.timedTextError(e, 'parse', ccContent);
}
} else if (mediaType === _constantsConstants2['default'].VIDEO) {
//embedded text
if (chunk.segmentType === _voMetricsHTTPRequest.HTTPRequest.INIT_SEGMENT_TYPE) {
if (embeddedTimescale === 0) {
embeddedTimescale = fragmentedTextBoxParser.getMediaTimescaleFromMoov(bytes);
for (i = 0; i < embeddedTracks.length; i++) {
createTextTrackFromMediaInfo(null, embeddedTracks[i]);
}
}
} else {
// MediaSegment
if (embeddedTimescale === 0) {
logger.warn('CEA-608: No timescale for embeddedTextTrack yet');
return;
}
var makeCueAdderForIndex = function makeCueAdderForIndex(self, trackIndex) {
function newCue(startTime, endTime, captionScreen) {
var captionsArray = null;
if (videoModel.getTTMLRenderingDiv()) {
captionsArray = embeddedTextHtmlRender.createHTMLCaptionsFromScreen(videoModel.getElement(), startTime, endTime, captionScreen);
} else {
var text = captionScreen.getDisplayText();
captionsArray = [{
start: startTime,
end: endTime,
data: text,
styles: {}
}];
}
if (captionsArray) {
textTracks.addCaptions(trackIndex, 0, captionsArray);
}
}
return newCue;
};
samplesInfo = fragmentedTextBoxParser.getSamplesInfo(bytes);
var sequenceNumber = samplesInfo.lastSequenceNumber;
if (!embeddedCea608FieldParsers[0] && !embeddedCea608FieldParsers[1]) {
// Time to setup the CEA-608 parsing
var field = undefined,
handler = undefined,
trackIdx = undefined;
for (i = 0; i < embeddedTracks.length; i++) {
if (embeddedTracks[i].id === _constantsConstants2['default'].CC1) {
field = 0;
trackIdx = textTracks.getTrackIdxForId(_constantsConstants2['default'].CC1);
} else if (embeddedTracks[i].id === _constantsConstants2['default'].CC3) {
field = 1;
trackIdx = textTracks.getTrackIdxForId(_constantsConstants2['default'].CC3);
}
if (trackIdx === -1) {
logger.warn('CEA-608: data before track is ready.');
return;
}
handler = makeCueAdderForIndex(this, trackIdx);
embeddedCea608FieldParsers[i] = new _externalsCea608Parser2['default'].Cea608Parser(i + 1, {
'newCue': handler
}, null);
}
}
if (embeddedTimescale && embeddedSequenceNumbers.indexOf(sequenceNumber) == -1) {
if (embeddedLastSequenceNumber !== null && sequenceNumber !== embeddedLastSequenceNumber + samplesInfo.numSequences) {
for (i = 0; i < embeddedCea608FieldParsers.length; i++) {
if (embeddedCea608FieldParsers[i]) {
embeddedCea608FieldParsers[i].reset();
}
}
}
var allCcData = extractCea608Data(bytes, samplesInfo.sampleList);
for (var fieldNr = 0; fieldNr < embeddedCea608FieldParsers.length; fieldNr++) {
var ccData = allCcData.fields[fieldNr];
var fieldParser = embeddedCea608FieldParsers[fieldNr];
if (fieldParser) {
for (i = 0; i < ccData.length; i++) {
fieldParser.addData(ccData[i][0] / embeddedTimescale, ccData[i][1]);
}
}
}
embeddedLastSequenceNumber = sequenceNumber;
embeddedSequenceNumbers.push(sequenceNumber);
}
}
}
}
/**
* Extract CEA-608 data from a buffer of data.
* @param {ArrayBuffer} data
* @param {Array} samples cue information
* @returns {Object|null} ccData corresponding to one segment.
*/
function extractCea608Data(data, samples) {
if (samples.length === 0) {
return null;
}
var allCcData = {
splits: [],
fields: [[], []]
};
var raw = new DataView(data);
for (var i = 0; i < samples.length; i++) {
var sample = samples[i];
var cea608Ranges = _externalsCea608Parser2['default'].findCea608Nalus(raw, sample.offset, sample.size);
var lastSampleTime = null;
var idx = 0;
for (var j = 0; j < cea608Ranges.length; j++) {
var ccData = _externalsCea608Parser2['default'].extractCea608DataFromRange(raw, cea608Ranges[j]);
for (var k = 0; k < 2; k++) {
if (ccData[k].length > 0) {
if (sample.cts !== lastSampleTime) {
idx = 0;
} else {
idx += 1;
}
allCcData.fields[k].push([sample.cts + mseTimeOffset * embeddedTimescale, ccData[k], idx]);
lastSampleTime = sample.cts;
}
}
}
}
// Sort by sampleTime ascending order
// If two packets have the same sampleTime, use them in the order
// they were received
allCcData.fields.forEach(function sortField(field) {
field.sort(function (a, b) {
if (a[0] === b[0]) {
return a[2] - b[2];
}
return a[0] - b[0];
});
});
return allCcData;
}
function getIsDefault(mediaInfo) {
//TODO How to tag default. currently same order as listed in manifest.
// Is there a way to mark a text adaptation set as the default one? DASHIF meeting talk about using role which is being used for track KIND
// Eg subtitles etc. You can have multiple role tags per adaptation Not defined in the spec yet.
var isDefault = false;
if (embeddedTracks.length > 1 && mediaInfo.isEmbedded) {
isDefault = mediaInfo.id && mediaInfo.id === _constantsConstants2['default'].CC1; // CC1 if both CC1 and CC3 exist
} else if (embeddedTracks.length === 1) {
if (mediaInfo.id && mediaInfo.id.substring(0, 2) === 'CC') {
// Either CC1 or CC3
isDefault = true;
}
} else if (embeddedTracks.length === 0) {
isDefault = mediaInfo.index === mediaInfos[0].index;
}
return isDefault;
}
function getParser(codecType) {
var parser = undefined;
if (codecType.search(_constantsConstants2['default'].VTT) >= 0) {
parser = vttParser;
} else if (codecType.search(_constantsConstants2['default'].TTML) >= 0 || codecType.search(_constantsConstants2['default'].STPP) >= 0) {
parser = ttmlParser;
}
return parser;
}
function remove(start, end) {
//if start and end are not defined, remove all
if (start === undefined && start === end) {
start = this.buffered.start(0);
end = this.buffered.end(this.buffered.length - 1);
}
this.buffered.remove(start, end);
}
instance = {
initialize: initialize,
append: append,
abort: abort,
addEmbeddedTrack: addEmbeddedTrack,
resetEmbedded: resetEmbedded,
setConfig: setConfig,
getConfig: getConfig,
setCurrentFragmentedTrackIdx: setCurrentFragmentedTrackIdx,
remove: remove,
reset: reset
};
setup();
return instance;
}
TextSourceBuffer.__dashjs_factory_name = 'TextSourceBuffer';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(TextSourceBuffer);
module.exports = exports['default'];
},{"137":137,"142":142,"146":146,"148":148,"175":175,"183":183,"2":2,"45":45,"46":46,"47":47,"5":5,"50":50,"71":71,"98":98}],142:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _imsc = _dereq_(40);
function TextTracks() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var instance = undefined,
logger = undefined,
Cue = undefined,
videoModel = undefined,
textTrackQueue = undefined,
trackElementArr = undefined,
currentTrackIdx = undefined,
actualVideoLeft = undefined,
actualVideoTop = undefined,
actualVideoWidth = undefined,
actualVideoHeight = undefined,
captionContainer = undefined,
videoSizeCheckInterval = undefined,
fullscreenAttribute = undefined,
displayCCOnTop = undefined,
previousISDState = undefined,
topZIndex = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function initialize() {
if (typeof window === 'undefined' || typeof navigator === 'undefined') {
return;
}
Cue = window.VTTCue || window.TextTrackCue;
textTrackQueue = [];
trackElementArr = [];
currentTrackIdx = -1;
actualVideoLeft = 0;
actualVideoTop = 0;
actualVideoWidth = 0;
actualVideoHeight = 0;
captionContainer = null;
videoSizeCheckInterval = null;
displayCCOnTop = false;
topZIndex = 2147483647;
previousISDState = null;
if (document.fullscreenElement !== undefined) {
fullscreenAttribute = 'fullscreenElement'; // Standard and Edge
} else if (document.webkitIsFullScreen !== undefined) {
fullscreenAttribute = 'webkitIsFullScreen'; // Chrome and Safari (and Edge)
} else if (document.msFullscreenElement) {
// IE11
fullscreenAttribute = 'msFullscreenElement';
} else if (document.mozFullScreen) {
// Firefox
fullscreenAttribute = 'mozFullScreen';
}
}
function createTrackForUserAgent(i) {
var kind = textTrackQueue[i].kind;
var label = textTrackQueue[i].label !== undefined ? textTrackQueue[i].label : textTrackQueue[i].lang;
var lang = textTrackQueue[i].lang;
var isTTML = textTrackQueue[i].isTTML;
var isEmbedded = textTrackQueue[i].isEmbedded;
var track = videoModel.addTextTrack(kind, label, lang);
track.isEmbedded = isEmbedded;
track.isTTML = isTTML;
return track;
}
function displayCConTop(value) {
displayCCOnTop = value;
if (!captionContainer || document[fullscreenAttribute]) {
return;
}
captionContainer.style.zIndex = value ? topZIndex : null;
}
function addTextTrack(textTrackInfoVO, totalTextTracks) {
if (textTrackQueue.length === totalTextTracks) {
logger.error('Trying to add too many tracks.');
return;
}
textTrackQueue.push(textTrackInfoVO);
if (textTrackQueue.length === totalTextTracks) {
textTrackQueue.sort(function (a, b) {
//Sort in same order as in manifest
return a.index - b.index;
});
captionContainer = videoModel.getTTMLRenderingDiv();
var defaultIndex = -1;
for (var i = 0; i < textTrackQueue.length; i++) {
var track = createTrackForUserAgent.call(this, i);
trackElementArr.push(track); //used to remove tracks from video element when added manually
if (textTrackQueue[i].defaultTrack) {
// track.default is an object property identifier that is a reserved word
// The following jshint directive is used to suppressed the warning "Expected an identifier and instead saw 'default' (a reserved word)"
/*jshint -W024 */
track['default'] = true;
defaultIndex = i;
}
var textTrack = getTrackByIdx(i);
if (textTrack) {
//each time a track is created, its mode should be showing by default
//sometime, it's not on Chrome
textTrack.mode = _constantsConstants2['default'].TEXT_SHOWING;
if (captionContainer && (textTrackQueue[i].isTTML || textTrackQueue[i].isEmbedded)) {
textTrack.renderingType = 'html';
} else {
textTrack.renderingType = 'default';
}
}
this.addCaptions(i, 0, textTrackQueue[i].captionData);
eventBus.trigger(_coreEventsEvents2['default'].TEXT_TRACK_ADDED);
}
//set current track index in textTrackQueue array
setCurrentTrackIdx.call(this, defaultIndex);
if (defaultIndex >= 0) {
for (var idx = 0; idx < textTrackQueue.length; idx++) {
var videoTextTrack = getTrackByIdx(idx);
if (videoTextTrack) {
videoTextTrack.mode = idx === defaultIndex ? _constantsConstants2['default'].TEXT_SHOWING : _constantsConstants2['default'].TEXT_HIDDEN;
}
}
}
eventBus.trigger(_coreEventsEvents2['default'].TEXT_TRACKS_QUEUE_INITIALIZED, {
index: currentTrackIdx,
tracks: textTrackQueue
}); //send default idx.
}
}
function getVideoVisibleVideoSize(viewWidth, viewHeight, videoWidth, videoHeight, aspectRatio, use80Percent) {
var viewAspectRatio = viewWidth / viewHeight;
var videoAspectRatio = videoWidth / videoHeight;
var videoPictureWidth = 0;
var videoPictureHeight = 0;
if (viewAspectRatio > videoAspectRatio) {
videoPictureHeight = viewHeight;
videoPictureWidth = videoPictureHeight / videoHeight * videoWidth;
} else {
videoPictureWidth = viewWidth;
videoPictureHeight = videoPictureWidth / videoWidth * videoHeight;
}
var videoPictureXAspect = 0;
var videoPictureYAspect = 0;
var videoPictureWidthAspect = 0;
var videoPictureHeightAspect = 0;
var videoPictureAspect = videoPictureWidth / videoPictureHeight;
if (videoPictureAspect > aspectRatio) {
videoPictureHeightAspect = videoPictureHeight;
videoPictureWidthAspect = videoPictureHeight * aspectRatio;
} else {
videoPictureWidthAspect = videoPictureWidth;
videoPictureHeightAspect = videoPictureWidth / aspectRatio;
}
videoPictureXAspect = (viewWidth - videoPictureWidthAspect) / 2;
videoPictureYAspect = (viewHeight - videoPictureHeightAspect) / 2;
if (use80Percent) {
return {
x: videoPictureXAspect + videoPictureWidthAspect * 0.1,
y: videoPictureYAspect + videoPictureHeightAspect * 0.1,
w: videoPictureWidthAspect * 0.8,
h: videoPictureHeightAspect * 0.8
}; /* Maximal picture size in videos aspect ratio */
} else {
return {
x: videoPictureXAspect,
y: videoPictureYAspect,
w: videoPictureWidthAspect,
h: videoPictureHeightAspect
}; /* Maximal picture size in videos aspect ratio */
}
}
function checkVideoSize(track, forceDrawing) {
var clientWidth = videoModel.getClientWidth();
var clientHeight = videoModel.getClientHeight();
var videoWidth = videoModel.getVideoWidth();
var videoHeight = videoModel.getVideoHeight();
var videoOffsetTop = videoModel.getVideoRelativeOffsetTop();
var videoOffsetLeft = videoModel.getVideoRelativeOffsetLeft();
var aspectRatio = videoWidth / videoHeight;
var use80Percent = false;
if (track.isFromCEA608) {
// If this is CEA608 then use predefined aspect ratio
aspectRatio = 3.5 / 3.0;
use80Percent = true;
}
var realVideoSize = getVideoVisibleVideoSize.call(this, clientWidth, clientHeight, videoWidth, videoHeight, aspectRatio, use80Percent);
var newVideoWidth = realVideoSize.w;
var newVideoHeight = realVideoSize.h;
var newVideoLeft = realVideoSize.x;
var newVideoTop = realVideoSize.y;
if (newVideoWidth != actualVideoWidth || newVideoHeight != actualVideoHeight || newVideoLeft != actualVideoLeft || newVideoTop != actualVideoTop || forceDrawing) {
actualVideoLeft = newVideoLeft + videoOffsetLeft;
actualVideoTop = newVideoTop + videoOffsetTop;
actualVideoWidth = newVideoWidth;
actualVideoHeight = newVideoHeight;
if (captionContainer) {
var containerStyle = captionContainer.style;
containerStyle.left = actualVideoLeft + 'px';
containerStyle.top = actualVideoTop + 'px';
containerStyle.width = actualVideoWidth + 'px';
containerStyle.height = actualVideoHeight + 'px';
containerStyle.zIndex = fullscreenAttribute && document[fullscreenAttribute] || displayCCOnTop ? topZIndex : null;
eventBus.trigger(_coreEventsEvents2['default'].CAPTION_CONTAINER_RESIZE, {});
}
// Video view has changed size, so resize any active cues
var activeCues = track.activeCues;
if (activeCues) {
var len = activeCues.length;
for (var i = 0; i < len; ++i) {
var cue = activeCues[i];
cue.scaleCue(cue);
}
}
}
}
function scaleCue(activeCue) {
var videoWidth = actualVideoWidth;
var videoHeight = actualVideoHeight;
var key = undefined,
replaceValue = undefined,
valueFontSize = undefined,
valueLineHeight = undefined,
elements = undefined;
if (activeCue.cellResolution) {
var cellUnit = [videoWidth / activeCue.cellResolution[0], videoHeight / activeCue.cellResolution[1]];
if (activeCue.linePadding) {
for (key in activeCue.linePadding) {
if (activeCue.linePadding.hasOwnProperty(key)) {
var valueLinePadding = activeCue.linePadding[key];
replaceValue = (valueLinePadding * cellUnit[0]).toString();
// Compute the CellResolution unit in order to process properties using sizing (fontSize, linePadding, etc).
var elementsSpan = document.getElementsByClassName('spanPadding');
for (var i = 0; i < elementsSpan.length; i++) {
elementsSpan[i].style.cssText = elementsSpan[i].style.cssText.replace(/(padding-left\s*:\s*)[\d.,]+(?=\s*px)/gi, '$1' + replaceValue);
elementsSpan[i].style.cssText = elementsSpan[i].style.cssText.replace(/(padding-right\s*:\s*)[\d.,]+(?=\s*px)/gi, '$1' + replaceValue);
}
}
}
}
if (activeCue.fontSize) {
for (key in activeCue.fontSize) {
if (activeCue.fontSize.hasOwnProperty(key)) {
if (activeCue.fontSize[key][0] === '%') {
valueFontSize = activeCue.fontSize[key][1] / 100;
} else if (activeCue.fontSize[key][0] === 'c') {
valueFontSize = activeCue.fontSize[key][1];
}
replaceValue = (valueFontSize * cellUnit[1]).toString();
if (key !== 'defaultFontSize') {
elements = document.getElementsByClassName(key);
} else {
elements = document.getElementsByClassName('paragraph');
}
for (var j = 0; j < elements.length; j++) {
elements[j].style.cssText = elements[j].style.cssText.replace(/(font-size\s*:\s*)[\d.,]+(?=\s*px)/gi, '$1' + replaceValue);
}
}
}
if (activeCue.lineHeight) {
for (key in activeCue.lineHeight) {
if (activeCue.lineHeight.hasOwnProperty(key)) {
if (activeCue.lineHeight[key][0] === '%') {
valueLineHeight = activeCue.lineHeight[key][1] / 100;
} else if (activeCue.fontSize[key][0] === 'c') {
valueLineHeight = activeCue.lineHeight[key][1];
}
replaceValue = (valueLineHeight * cellUnit[1]).toString();
elements = document.getElementsByClassName(key);
for (var k = 0; k < elements.length; k++) {
elements[k].style.cssText = elements[k].style.cssText.replace(/(line-height\s*:\s*)[\d.,]+(?=\s*px)/gi, '$1' + replaceValue);
}
}
}
}
}
}
if (activeCue.isd) {
var htmlCaptionDiv = document.getElementById(activeCue.cueID);
if (htmlCaptionDiv) {
captionContainer.removeChild(htmlCaptionDiv);
}
renderCaption(activeCue);
}
}
function renderCaption(cue) {
if (captionContainer) {
var finalCue = document.createElement('div');
captionContainer.appendChild(finalCue);
previousISDState = (0, _imsc.renderHTML)(cue.isd, finalCue, function (uri) {
var imsc1ImgUrnTester = /^(urn:)(mpeg:[a-z0-9][a-z0-9-]{0,31}:)(subs:)([0-9]+)$/;
var smpteImgUrnTester = /^#(.*)$/;
if (imsc1ImgUrnTester.test(uri)) {
var match = imsc1ImgUrnTester.exec(uri);
var imageId = parseInt(match[4], 10) - 1;
var imageData = btoa(cue.images[imageId]);
var dataUrl = 'data:image/png;base64,' + imageData;
return dataUrl;
} else if (smpteImgUrnTester.test(uri)) {
var match = smpteImgUrnTester.exec(uri);
var imageId = match[1];
var dataUrl = 'data:image/png;base64,' + cue.embeddedImages[imageId];
return dataUrl;
} else {
return null;
}
}, captionContainer.clientHeight, captionContainer.clientWidth, false, /*displayForcedOnlyMode*/function (err) {
logger.info('renderCaption :', err);
//TODO add ErrorHandler management
}, previousISDState, true /*enableRollUp*/);
finalCue.id = cue.cueID;
eventBus.trigger(_coreEventsEvents2['default'].CAPTION_RENDERED, { captionDiv: finalCue, currentTrackIdx: currentTrackIdx });
}
}
/*
* Add captions to track, store for later adding, or add captions added before
*/
function addCaptions(trackIdx, timeOffset, captionData) {
var track = getTrackByIdx(trackIdx);
var self = this;
if (!track) {
return;
}
if (!captionData || captionData.length === 0) {
return;
}
for (var item = 0; item < captionData.length; item++) {
var cue = undefined;
var currentItem = captionData[item];
track.cellResolution = currentItem.cellResolution;
track.isFromCEA608 = currentItem.isFromCEA608;
if (currentItem.type === 'html' && captionContainer) {
cue = new Cue(currentItem.start - timeOffset, currentItem.end - timeOffset, '');
cue.cueHTMLElement = currentItem.cueHTMLElement;
cue.isd = currentItem.isd;
cue.images = currentItem.images;
cue.embeddedImages = currentItem.embeddedImages;
cue.cueID = currentItem.cueID;
cue.scaleCue = scaleCue.bind(self);
//useful parameters for cea608 subtitles, not for TTML one.
cue.cellResolution = currentItem.cellResolution;
cue.lineHeight = currentItem.lineHeight;
cue.linePadding = currentItem.linePadding;
cue.fontSize = currentItem.fontSize;
captionContainer.style.left = actualVideoLeft + 'px';
captionContainer.style.top = actualVideoTop + 'px';
captionContainer.style.width = actualVideoWidth + 'px';
captionContainer.style.height = actualVideoHeight + 'px';
cue.onenter = function () {
if (track.mode === _constantsConstants2['default'].TEXT_SHOWING) {
if (this.isd) {
renderCaption(this);
logger.debug('Cue enter id:' + this.cueID);
} else {
captionContainer.appendChild(this.cueHTMLElement);
scaleCue.call(self, this);
}
}
};
cue.onexit = function () {
if (captionContainer) {
var divs = captionContainer.childNodes;
for (var i = 0; i < divs.length; ++i) {
if (divs[i].id === this.cueID) {
logger.debug('Cue exit id:' + divs[i].id);
captionContainer.removeChild(divs[i]);
}
}
}
};
} else {
if (currentItem.data) {
cue = new Cue(currentItem.start - timeOffset, currentItem.end - timeOffset, currentItem.data);
if (currentItem.styles) {
if (currentItem.styles.align !== undefined && 'align' in cue) {
cue.align = currentItem.styles.align;
}
if (currentItem.styles.line !== undefined && 'line' in cue) {
cue.line = currentItem.styles.line;
}
if (currentItem.styles.position !== undefined && 'position' in cue) {
cue.position = currentItem.styles.position;
}
if (currentItem.styles.size !== undefined && 'size' in cue) {
cue.size = currentItem.styles.size;
}
}
}
}
try {
if (cue) {
track.addCue(cue);
} else {
logger.error('impossible to display subtitles.');
}
} catch (e) {
// Edge crash, delete everything and start adding again
// @see https://developer.microsoft.com/en-us/microsoft-edge/platform/issues/11979877/
deleteTrackCues(track);
track.addCue(cue);
throw e;
}
}
}
function getTrackByIdx(idx) {
return idx >= 0 && textTrackQueue[idx] ? videoModel.getTextTrack(textTrackQueue[idx].kind, textTrackQueue[idx].label, textTrackQueue[idx].lang, textTrackQueue[idx].isTTML, textTrackQueue[idx].isEmbedded) : null;
}
function getCurrentTrackIdx() {
return currentTrackIdx;
}
function getTrackIdxForId(trackId) {
var idx = -1;
for (var i = 0; i < textTrackQueue.length; i++) {
if (textTrackQueue[i].label === trackId) {
idx = i;
break;
}
}
return idx;
}
function setCurrentTrackIdx(idx) {
if (idx === currentTrackIdx) {
return;
}
currentTrackIdx = idx;
var track = getTrackByIdx(currentTrackIdx);
setCueStyleOnTrack.call(this, track);
if (videoSizeCheckInterval) {
clearInterval(videoSizeCheckInterval);
videoSizeCheckInterval = null;
}
if (track && track.renderingType === 'html') {
checkVideoSize.call(this, track, true);
videoSizeCheckInterval = setInterval(checkVideoSize.bind(this, track), 500);
}
}
function setCueStyleOnTrack(track) {
clearCaptionContainer.call(this);
if (track) {
if (track.renderingType === 'html') {
setNativeCueStyle.call(this);
} else {
removeNativeCueStyle.call(this);
}
} else {
removeNativeCueStyle.call(this);
}
}
function deleteTrackCues(track) {
if (track.cues) {
var cues = track.cues;
var lastIdx = cues.length - 1;
for (var r = lastIdx; r >= 0; r--) {
track.removeCue(cues[r]);
}
}
}
function deleteCuesFromTrackIdx(trackIdx) {
var track = getTrackByIdx(trackIdx);
if (track) {
deleteTrackCues(track);
}
}
function deleteAllTextTracks() {
var ln = trackElementArr ? trackElementArr.length : 0;
for (var i = 0; i < ln; i++) {
var track = getTrackByIdx(i);
if (track) {
deleteTrackCues.call(this, track);
track.mode = 'disabled';
}
}
trackElementArr = [];
textTrackQueue = [];
if (videoSizeCheckInterval) {
clearInterval(videoSizeCheckInterval);
videoSizeCheckInterval = null;
}
currentTrackIdx = -1;
clearCaptionContainer.call(this);
}
function deleteTextTrack(idx) {
videoModel.removeChild(trackElementArr[idx]);
trackElementArr.splice(idx, 1);
}
/* Set native cue style to transparent background to avoid it being displayed. */
function setNativeCueStyle() {
var styleElement = document.getElementById('native-cue-style');
if (styleElement) {
return; //Already set
}
styleElement = document.createElement('style');
styleElement.id = 'native-cue-style';
document.head.appendChild(styleElement);
var stylesheet = styleElement.sheet;
var video = videoModel.getElement();
try {
if (video) {
if (video.id) {
stylesheet.insertRule('#' + video.id + '::cue {background: transparent}', 0);
} else if (video.classList.length !== 0) {
stylesheet.insertRule('.' + video.className + '::cue {background: transparent}', 0);
} else {
stylesheet.insertRule('video::cue {background: transparent}', 0);
}
}
} catch (e) {
logger.info('' + e.message);
}
}
/* Remove the extra cue style with transparent background for native cues. */
function removeNativeCueStyle() {
var styleElement = document.getElementById('native-cue-style');
if (styleElement) {
document.head.removeChild(styleElement);
}
}
function clearCaptionContainer() {
if (captionContainer) {
while (captionContainer.firstChild) {
captionContainer.removeChild(captionContainer.firstChild);
}
}
}
function setConfig(config) {
if (!config) {
return;
}
if (config.videoModel) {
videoModel = config.videoModel;
}
}
function setModeForTrackIdx(idx, mode) {
var track = getTrackByIdx(idx);
if (track && track.mode !== mode) {
track.mode = mode;
}
}
function getCurrentTrackInfo() {
return textTrackQueue[currentTrackIdx];
}
instance = {
initialize: initialize,
displayCConTop: displayCConTop,
addTextTrack: addTextTrack,
addCaptions: addCaptions,
getCurrentTrackIdx: getCurrentTrackIdx,
setCurrentTrackIdx: setCurrentTrackIdx,
getTrackIdxForId: getTrackIdxForId,
getCurrentTrackInfo: getCurrentTrackInfo,
setModeForTrackIdx: setModeForTrackIdx,
deleteCuesFromTrackIdx: deleteCuesFromTrackIdx,
deleteAllTextTracks: deleteAllTextTracks,
deleteTextTrack: deleteTextTrack,
setConfig: setConfig
};
setup();
return instance;
}
TextTracks.__dashjs_factory_name = 'TextTracks';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(TextTracks);
module.exports = exports['default'];
},{"40":40,"45":45,"46":46,"47":47,"50":50,"98":98}],143:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _voThumbnail = _dereq_(176);
var _voThumbnail2 = _interopRequireDefault(_voThumbnail);
var _ThumbnailTracks = _dereq_(144);
var _ThumbnailTracks2 = _interopRequireDefault(_ThumbnailTracks);
var _voBitrateInfo = _dereq_(162);
var _voBitrateInfo2 = _interopRequireDefault(_voBitrateInfo);
var _dashUtilsSegmentsUtils = _dereq_(75);
function ThumbnailController(config) {
var context = this.context;
var instance = undefined;
var thumbnailTracks = undefined;
function setup() {
reset();
thumbnailTracks = (0, _ThumbnailTracks2['default'])(context).create({
dashManifestModel: config.dashManifestModel,
adapter: config.adapter,
baseURLController: config.baseURLController,
stream: config.stream
});
}
function getThumbnail(time) {
var track = thumbnailTracks.getCurrentTrack();
if (!track || track.segmentDuration <= 0) {
return null;
}
// Calculate index of the sprite given a time
var seq = Math.floor(time / track.segmentDuration);
var offset = time % track.segmentDuration;
var thumbIndex = Math.floor(offset * track.tilesHor * track.tilesVert / track.segmentDuration);
// Create and return the thumbnail
var thumbnail = new _voThumbnail2['default']();
thumbnail.url = buildUrlFromTemplate(track, seq);
thumbnail.width = Math.floor(track.widthPerTile);
thumbnail.height = Math.floor(track.heightPerTile);
thumbnail.x = Math.floor(thumbIndex % track.tilesHor) * track.widthPerTile;
thumbnail.y = Math.floor(thumbIndex / track.tilesHor) * track.heightPerTile;
return thumbnail;
}
function buildUrlFromTemplate(track, seq) {
var seqIdx = seq + track.startNumber;
var url = (0, _dashUtilsSegmentsUtils.replaceTokenForTemplate)(track.templateUrl, 'Number', seqIdx);
url = (0, _dashUtilsSegmentsUtils.replaceTokenForTemplate)(url, 'Time', (seqIdx - 1) * track.segmentDuration);
url = (0, _dashUtilsSegmentsUtils.replaceTokenForTemplate)(url, 'Bandwidth', track.bandwidth);
return (0, _dashUtilsSegmentsUtils.unescapeDollarsInTemplate)(url);
}
function setTrackByIndex(index) {
thumbnailTracks.setTrackByIndex(index);
}
function getCurrentTrackIndex() {
return thumbnailTracks.getCurrentTrackIndex();
}
function getBitrateList() {
var tracks = thumbnailTracks.getTracks();
if (!tracks || tracks.length === 0) {
return [];
}
var i = 0;
return tracks.map(function (t) {
var bitrateInfo = new _voBitrateInfo2['default']();
bitrateInfo.mediaType = _constantsConstants2['default'].IMAGE;
bitrateInfo.qualityIndex = i++;
bitrateInfo.bitrate = t.bitrate;
bitrateInfo.width = t.width;
bitrateInfo.height = t.height;
return bitrateInfo;
});
}
function reset() {
if (thumbnailTracks) {
thumbnailTracks.reset();
}
}
instance = {
get: getThumbnail,
setTrackByIndex: setTrackByIndex,
getCurrentTrackIndex: getCurrentTrackIndex,
getBitrateList: getBitrateList,
reset: reset
};
setup();
return instance;
}
ThumbnailController.__dashjs_factory_name = 'ThumbnailController';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(ThumbnailController);
module.exports = exports['default'];
},{"144":144,"162":162,"176":176,"47":47,"75":75,"98":98}],144:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _dashConstantsDashConstants = _dereq_(57);
var _dashConstantsDashConstants2 = _interopRequireDefault(_dashConstantsDashConstants);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _voThumbnailTrackInfo = _dereq_(177);
var _voThumbnailTrackInfo2 = _interopRequireDefault(_voThumbnailTrackInfo);
var _streamingUtilsURLUtils = _dereq_(158);
var _streamingUtilsURLUtils2 = _interopRequireDefault(_streamingUtilsURLUtils);
var _dashUtilsSegmentsUtils = _dereq_(75);
var THUMBNAILS_SCHEME_ID_URI = 'http://dashif.org/thumbnail_tile';
function ThumbnailTracks(config) {
var context = this.context;
var dashManifestModel = config.dashManifestModel;
var adapter = config.adapter;
var baseURLController = config.baseURLController;
var stream = config.stream;
var urlUtils = (0, _streamingUtilsURLUtils2['default'])(context).getInstance();
var instance = undefined,
tracks = undefined,
currentTrackIndex = undefined;
function initialize() {
reset();
// parse representation and create tracks
addTracks();
}
function addTracks() {
if (!stream || !dashManifestModel || !adapter) {
return;
}
var streamInfo = stream ? stream.getStreamInfo() : null;
if (!streamInfo) {
return;
}
// Extract thumbnail tracks
var mediaInfo = adapter.getMediaInfoForType(streamInfo, _constantsConstants2['default'].IMAGE);
if (!mediaInfo) {
return;
}
var voAdaptation = adapter.getDataForMedia(mediaInfo);
if (!voAdaptation) {
return;
}
var voReps = dashManifestModel.getRepresentationsForAdaptation(voAdaptation);
if (voReps && voReps.length > 0) {
voReps.forEach(function (rep) {
if (rep.segmentInfoType === _dashConstantsDashConstants2['default'].SEGMENT_TEMPLATE && rep.segmentDuration > 0 && rep.media) createTrack(rep);
});
}
if (tracks.length > 0) {
// Sort bitrates and select the lowest bitrate rendition
tracks.sort(function (a, b) {
return a.bitrate - b.bitrate;
});
currentTrackIndex = tracks.length - 1;
}
}
function createTrack(representation) {
var track = new _voThumbnailTrackInfo2['default']();
track.id = representation.id;
track.bitrate = representation.bandwidth;
track.width = representation.width;
track.height = representation.height;
track.tilesHor = 1;
track.tilesVert = 1;
track.startNumber = representation.startNumber;
track.segmentDuration = representation.segmentDuration;
track.timescale = representation.timescale;
track.templateUrl = buildTemplateUrl(representation);
if (representation.essentialProperties) {
representation.essentialProperties.forEach(function (p) {
if (p.schemeIdUri === THUMBNAILS_SCHEME_ID_URI && p.value) {
var vars = p.value.split('x');
if (vars.length === 2 && !isNaN(vars[0]) && !isNaN(vars[1])) {
track.tilesHor = parseInt(vars[0], 10);
track.tilesVert = parseInt(vars[1], 10);
}
}
});
}
if (track.tilesHor > 0 && track.tilesVert > 0) {
// Precalculate width and heigth per tile for perf reasons
track.widthPerTile = track.width / track.tilesHor;
track.heightPerTile = track.height / track.tilesVert;
tracks.push(track);
}
}
function buildTemplateUrl(representation) {
var templateUrl = urlUtils.isRelative(representation.media) ? urlUtils.resolve(representation.media, baseURLController.resolve(representation.path).url) : representation.media;
if (!templateUrl) {
return '';
}
return (0, _dashUtilsSegmentsUtils.replaceIDForTemplate)(templateUrl, representation.id);
}
function getTracks() {
return tracks;
}
function getCurrentTrackIndex() {
return currentTrackIndex;
}
function getCurrentTrack() {
if (currentTrackIndex < 0) {
return null;
}
return tracks[currentTrackIndex];
}
function setTrackByIndex(index) {
if (!tracks || tracks.length === 0) {
return;
}
// select highest bitrate in case selected index is higher than bitrate list length
if (index >= tracks.length) {
index = tracks.length - 1;
}
currentTrackIndex = index;
}
function reset() {
tracks = [];
currentTrackIndex = -1;
}
instance = {
initialize: initialize,
getTracks: getTracks,
reset: reset,
setTrackByIndex: setTrackByIndex,
getCurrentTrack: getCurrentTrack,
getCurrentTrackIndex: getCurrentTrackIndex
};
initialize();
return instance;
}
ThumbnailTracks.__dashjs_factory_name = 'ThumbnailTracks';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(ThumbnailTracks);
module.exports = exports['default'];
},{"158":158,"177":177,"47":47,"57":57,"75":75,"98":98}],145:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _controllersBlacklistController = _dereq_(102);
var _controllersBlacklistController2 = _interopRequireDefault(_controllersBlacklistController);
var _baseUrlResolutionDVBSelector = _dereq_(161);
var _baseUrlResolutionDVBSelector2 = _interopRequireDefault(_baseUrlResolutionDVBSelector);
var _baseUrlResolutionBasicSelector = _dereq_(160);
var _baseUrlResolutionBasicSelector2 = _interopRequireDefault(_baseUrlResolutionBasicSelector);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var URL_RESOLUTION_FAILED_GENERIC_ERROR_CODE = 1;
var URL_RESOLUTION_FAILED_GENERIC_ERROR_MESSAGE = 'Failed to resolve a valid URL';
function BaseURLSelector() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
var dashManifestModel = undefined;
var instance = undefined,
serviceLocationBlacklistController = undefined,
basicSelector = undefined,
dvbSelector = undefined,
selector = undefined;
function setup() {
serviceLocationBlacklistController = (0, _controllersBlacklistController2['default'])(context).create({
updateEventName: _coreEventsEvents2['default'].SERVICE_LOCATION_BLACKLIST_CHANGED,
addBlacklistEventName: _coreEventsEvents2['default'].SERVICE_LOCATION_BLACKLIST_ADD
});
basicSelector = (0, _baseUrlResolutionBasicSelector2['default'])(context).create({
blacklistController: serviceLocationBlacklistController
});
dvbSelector = (0, _baseUrlResolutionDVBSelector2['default'])(context).create({
blacklistController: serviceLocationBlacklistController
});
selector = basicSelector;
}
function setConfig(config) {
if (config.selector) {
selector = config.selector;
}
if (config.dashManifestModel) {
dashManifestModel = config.dashManifestModel;
}
}
function checkConfig() {
if (!dashManifestModel || !dashManifestModel.hasOwnProperty('getIsDVB')) {
throw new Error('Missing config parameter(s)');
}
}
function chooseSelectorFromManifest(manifest) {
checkConfig();
if (dashManifestModel.getIsDVB(manifest)) {
selector = dvbSelector;
} else {
selector = basicSelector;
}
}
function select(data) {
var baseUrls = data.baseUrls;
var selectedIdx = data.selectedIdx;
// Once a random selection has been carried out amongst a group of BaseURLs with the same
// @priority attribute value, then that choice should be re-used if the selection needs to be made again
// unless the blacklist has been modified or the available BaseURLs have changed.
if (!isNaN(selectedIdx)) {
return baseUrls[selectedIdx];
}
var selectedBaseUrl = selector.select(baseUrls);
if (!selectedBaseUrl) {
eventBus.trigger(_coreEventsEvents2['default'].URL_RESOLUTION_FAILED, {
error: new Error(URL_RESOLUTION_FAILED_GENERIC_ERROR_CODE, URL_RESOLUTION_FAILED_GENERIC_ERROR_MESSAGE)
});
if (selector === basicSelector) {
reset();
}
return;
}
data.selectedIdx = baseUrls.indexOf(selectedBaseUrl);
return selectedBaseUrl;
}
function reset() {
serviceLocationBlacklistController.reset();
}
instance = {
chooseSelectorFromManifest: chooseSelectorFromManifest,
select: select,
reset: reset,
setConfig: setConfig
};
setup();
return instance;
}
BaseURLSelector.__dashjs_factory_name = 'BaseURLSelector';
var factory = _coreFactoryMaker2['default'].getClassFactory(BaseURLSelector);
factory.URL_RESOLUTION_FAILED_GENERIC_ERROR_CODE = URL_RESOLUTION_FAILED_GENERIC_ERROR_CODE;
factory.URL_RESOLUTION_FAILED_GENERIC_ERROR_MESSAGE = URL_RESOLUTION_FAILED_GENERIC_ERROR_MESSAGE;
_coreFactoryMaker2['default'].updateClassFactory(BaseURLSelector.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"102":102,"160":160,"161":161,"46":46,"47":47,"50":50}],146:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _IsoFile = _dereq_(153);
var _IsoFile2 = _interopRequireDefault(_IsoFile);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _codemIsoboxer = _dereq_(5);
var _codemIsoboxer2 = _interopRequireDefault(_codemIsoboxer);
var _voIsoBoxSearchInfo = _dereq_(168);
var _voIsoBoxSearchInfo2 = _interopRequireDefault(_voIsoBoxSearchInfo);
function BoxParser() /*config*/{
var instance = undefined;
var context = this.context;
/**
* @param {ArrayBuffer} data
* @returns {IsoFile|null}
* @memberof BoxParser#
*/
function parse(data) {
if (!data) return null;
if (data.fileStart === undefined) {
data.fileStart = 0;
}
var parsedFile = _codemIsoboxer2['default'].parseBuffer(data);
var dashIsoFile = (0, _IsoFile2['default'])(context).create();
dashIsoFile.setData(parsedFile);
return dashIsoFile;
}
/**
* From the list of type boxes to look for, returns the latest one that is fully completed (header + payload). This
* method only looks into the list of top boxes and doesn't analyze nested boxes.
* @param {string[]} types
* @param {ArrayBuffer|uint8Array} buffer
* @param {number} offset
* @returns {IsoBoxSearchInfo}
* @memberof BoxParser#
*/
function findLastTopIsoBoxCompleted(types, buffer, offset) {
if (offset === undefined) {
offset = 0;
}
// 8 = size (uint32) + type (4 characters)
if (!buffer || offset + 8 >= buffer.byteLength) {
return new _voIsoBoxSearchInfo2['default'](0, false);
}
var data = buffer instanceof ArrayBuffer ? new Uint8Array(buffer) : buffer;
var boxInfo = undefined;
var lastCompletedOffset = 0;
while (offset < data.byteLength) {
var boxSize = parseUint32(data, offset);
var boxType = parseIsoBoxType(data, offset + 4);
if (boxSize === 0) {
break;
}
if (offset + boxSize <= data.byteLength) {
if (types.indexOf(boxType) >= 0) {
boxInfo = new _voIsoBoxSearchInfo2['default'](offset, true, boxSize);
} else {
lastCompletedOffset = offset + boxSize;
}
}
offset += boxSize;
}
if (!boxInfo) {
return new _voIsoBoxSearchInfo2['default'](lastCompletedOffset, false);
}
return boxInfo;
}
function parseUint32(data, offset) {
return data[offset + 3] >>> 0 | data[offset + 2] << 8 >>> 0 | data[offset + 1] << 16 >>> 0 | data[offset] << 24 >>> 0;
}
function parseIsoBoxType(data, offset) {
return String.fromCharCode(data[offset++]) + String.fromCharCode(data[offset++]) + String.fromCharCode(data[offset++]) + String.fromCharCode(data[offset]);
}
instance = {
parse: parse,
findLastTopIsoBoxCompleted: findLastTopIsoBoxCompleted
};
return instance;
}
BoxParser.__dashjs_factory_name = 'BoxParser';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(BoxParser);
module.exports = exports['default'];
},{"153":153,"168":168,"47":47,"5":5}],147:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function Capabilities() {
var instance = undefined,
encryptedMediaSupported = undefined;
function setup() {
encryptedMediaSupported = false;
}
function supportsMediaSource() {
var hasWebKit = ('WebKitMediaSource' in window);
var hasMediaSource = ('MediaSource' in window);
return hasWebKit || hasMediaSource;
}
/**
* Returns whether Encrypted Media Extensions are supported on this
* user agent
*
* @return {boolean} true if EME is supported, false otherwise
*/
function supportsEncryptedMedia() {
return encryptedMediaSupported;
}
function setEncryptedMediaSupported(value) {
encryptedMediaSupported = value;
}
function supportsCodec(codec) {
if ('MediaSource' in window && MediaSource.isTypeSupported(codec)) {
return true;
}
if ('WebKitMediaSource' in window && WebKitMediaSource.isTypeSupported(codec)) {
return true;
}
return false;
}
instance = {
supportsMediaSource: supportsMediaSource,
supportsEncryptedMedia: supportsEncryptedMedia,
supportsCodec: supportsCodec,
setEncryptedMediaSupported: setEncryptedMediaSupported
};
setup();
return instance;
}
Capabilities.__dashjs_factory_name = 'Capabilities';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(Capabilities);
module.exports = exports['default'];
},{"47":47}],148:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function CustomTimeRanges() /*config*/{
var customTimeRangeArray = [];
var length = 0;
function add(start, end) {
var i = 0;
for (i = 0; i < this.customTimeRangeArray.length && start > this.customTimeRangeArray[i].start; i++);
this.customTimeRangeArray.splice(i, 0, { start: start, end: end });
for (i = 0; i < this.customTimeRangeArray.length - 1; i++) {
if (this.mergeRanges(i, i + 1)) {
i--;
}
}
this.length = this.customTimeRangeArray.length;
}
function clear() {
this.customTimeRangeArray = [];
this.length = 0;
}
function remove(start, end) {
for (var i = 0; i < this.customTimeRangeArray.length; i++) {
if (start <= this.customTimeRangeArray[i].start && end >= this.customTimeRangeArray[i].end) {
// |--------------Range i-------|
//|---------------Range to remove ---------------|
// or
//|--------------Range i-------|
//|--------------Range to remove ---------------|
// or
// |--------------Range i-------|
//|--------------Range to remove ---------------|
this.customTimeRangeArray.splice(i, 1);
i--;
} else if (start > this.customTimeRangeArray[i].start && end < this.customTimeRangeArray[i].end) {
//|-----------------Range i----------------|
// |-------Range to remove -----|
this.customTimeRangeArray.splice(i + 1, 0, { start: end, end: this.customTimeRangeArray[i].end });
this.customTimeRangeArray[i].end = start;
break;
} else if (start > this.customTimeRangeArray[i].start && start < this.customTimeRangeArray[i].end) {
//|-----------Range i----------|
// |---------Range to remove --------|
// or
//|-----------------Range i----------------|
// |-------Range to remove -----|
this.customTimeRangeArray[i].end = start;
} else if (end > this.customTimeRangeArray[i].start && end < this.customTimeRangeArray[i].end) {
// |-----------Range i----------|
//|---------Range to remove --------|
// or
//|-----------------Range i----------------|
//|-------Range to remove -----|
this.customTimeRangeArray[i].start = end;
}
}
this.length = this.customTimeRangeArray.length;
}
function mergeRanges(rangeIndex1, rangeIndex2) {
var range1 = this.customTimeRangeArray[rangeIndex1];
var range2 = this.customTimeRangeArray[rangeIndex2];
if (range1.start <= range2.start && range2.start <= range1.end && range1.end <= range2.end) {
//|-----------Range1----------|
// |-----------Range2----------|
range1.end = range2.end;
this.customTimeRangeArray.splice(rangeIndex2, 1);
return true;
} else if (range2.start <= range1.start && range1.start <= range2.end && range2.end <= range1.end) {
// |-----------Range1----------|
//|-----------Range2----------|
range1.start = range2.start;
this.customTimeRangeArray.splice(rangeIndex2, 1);
return true;
} else if (range2.start <= range1.start && range1.start <= range2.end && range1.end <= range2.end) {
// |--------Range1-------|
//|---------------Range2--------------|
this.customTimeRangeArray.splice(rangeIndex1, 1);
return true;
} else if (range1.start <= range2.start && range2.start <= range1.end && range2.end <= range1.end) {
//|-----------------Range1--------------|
// |-----------Range2----------|
this.customTimeRangeArray.splice(rangeIndex2, 1);
return true;
}
return false;
}
function checkIndex(index) {
var isInt = index !== null && !isNaN(index) && index % 1 === 0;
if (!isInt) {
throw new Error('index argument is not an integer');
}
}
function start(index) {
checkIndex(index);
if (index >= this.customTimeRangeArray.length || index < 0) {
return NaN;
}
return this.customTimeRangeArray[index].start;
}
function end(index) {
checkIndex(index);
if (index >= this.customTimeRangeArray.length || index < 0) {
return NaN;
}
return this.customTimeRangeArray[index].end;
}
return {
customTimeRangeArray: customTimeRangeArray,
length: length,
add: add,
clear: clear,
remove: remove,
mergeRanges: mergeRanges,
start: start,
end: end
};
}
CustomTimeRanges.__dashjs_factory_name = 'CustomTimeRanges';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(CustomTimeRanges);
module.exports = exports['default'];
},{"47":47}],149:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var legacyKeysAndReplacements = [{ oldKey: 'dashjs_vbitrate', newKey: 'dashjs_video_bitrate' }, { oldKey: 'dashjs_abitrate', newKey: 'dashjs_audio_bitrate' }, { oldKey: 'dashjs_vsettings', newKey: 'dashjs_video_settings' }, { oldKey: 'dashjs_asettings', newKey: 'dashjs_audio_settings' }];
var LOCAL_STORAGE_BITRATE_KEY_TEMPLATE = 'dashjs_?_bitrate';
var LOCAL_STORAGE_SETTINGS_KEY_TEMPLATE = 'dashjs_?_settings';
var STORAGE_TYPE_LOCAL = 'localStorage';
var STORAGE_TYPE_SESSION = 'sessionStorage';
var LAST_BITRATE = 'LastBitrate';
var LAST_MEDIA_SETTINGS = 'LastMediaSettings';
function DOMStorage(config) {
config = config || {};
var context = this.context;
var mediaPlayerModel = config.mediaPlayerModel;
var instance = undefined,
logger = undefined,
supported = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
translateLegacyKeys();
}
//type can be local, session
function isSupported(type) {
if (supported !== undefined) return supported;
supported = false;
var testKey = '1';
var testValue = '1';
var storage = undefined;
try {
if (typeof window !== 'undefined') {
storage = window[type];
}
} catch (error) {
logger.warn('DOMStorage access denied: ' + error.message);
return supported;
}
if (!storage || type !== STORAGE_TYPE_LOCAL && type !== STORAGE_TYPE_SESSION) {
return supported;
}
/* When Safari (OS X or iOS) is in private browsing mode, it appears as though localStorage is available, but trying to call setItem throws an exception.
http://stackoverflow.com/questions/14555347/html5-localstorage-error-with-safari-quota-exceeded-err-dom-exception-22-an
Check if the storage can be used
*/
try {
storage.setItem(testKey, testValue);
storage.removeItem(testKey);
supported = true;
} catch (error) {
logger.warn('DOMStorage is supported, but cannot be used: ' + error.message);
}
return supported;
}
function translateLegacyKeys() {
if (isSupported(STORAGE_TYPE_LOCAL)) {
legacyKeysAndReplacements.forEach(function (entry) {
var value = localStorage.getItem(entry.oldKey);
if (value) {
localStorage.removeItem(entry.oldKey);
try {
localStorage.setItem(entry.newKey, value);
} catch (e) {
logger.error(e.message);
}
}
});
}
}
// Return current epoch time, ms, rounded to the nearest 10m to avoid fingerprinting user
function getTimestamp() {
var ten_minutes_ms = 60 * 1000 * 10;
return Math.round(new Date().getTime() / ten_minutes_ms) * ten_minutes_ms;
}
function canStore(storageType, key) {
return isSupported(storageType) && mediaPlayerModel['get' + key + 'CachingInfo']().enabled;
}
function checkConfig() {
if (!mediaPlayerModel || !mediaPlayerModel.hasOwnProperty('getLastMediaSettingsCachingInfo')) {
throw new Error('Missing config parameter(s)');
}
}
function getSavedMediaSettings(type) {
checkConfig();
//Checks local storage to see if there is valid, non-expired media settings
if (!canStore(STORAGE_TYPE_LOCAL, LAST_MEDIA_SETTINGS)) return null;
var settings = null;
var key = LOCAL_STORAGE_SETTINGS_KEY_TEMPLATE.replace(/\?/, type);
try {
var obj = JSON.parse(localStorage.getItem(key)) || {};
var isExpired = new Date().getTime() - parseInt(obj.timestamp, 10) >= mediaPlayerModel.getLastMediaSettingsCachingInfo().ttl || false;
settings = obj.settings;
if (isExpired) {
localStorage.removeItem(key);
settings = null;
}
} catch (e) {
return null;
}
return settings;
}
function getSavedBitrateSettings(type) {
var savedBitrate = NaN;
checkConfig();
//Checks local storage to see if there is valid, non-expired bit rate
//hinting from the last play session to use as a starting bit rate.
if (canStore(STORAGE_TYPE_LOCAL, LAST_BITRATE)) {
var key = LOCAL_STORAGE_BITRATE_KEY_TEMPLATE.replace(/\?/, type);
try {
var obj = JSON.parse(localStorage.getItem(key)) || {};
var isExpired = new Date().getTime() - parseInt(obj.timestamp, 10) >= mediaPlayerModel.getLastMediaSettingsCachingInfo().ttl || false;
var bitrate = parseFloat(obj.bitrate);
if (!isNaN(bitrate) && !isExpired) {
savedBitrate = bitrate;
logger.debug('Last saved bitrate for ' + type + ' was ' + bitrate);
} else if (isExpired) {
localStorage.removeItem(key);
}
} catch (e) {
return null;
}
}
return savedBitrate;
}
function setSavedMediaSettings(type, value) {
if (canStore(STORAGE_TYPE_LOCAL, LAST_MEDIA_SETTINGS)) {
var key = LOCAL_STORAGE_SETTINGS_KEY_TEMPLATE.replace(/\?/, type);
try {
localStorage.setItem(key, JSON.stringify({ settings: value, timestamp: getTimestamp() }));
} catch (e) {
logger.error(e.message);
}
}
}
function setSavedBitrateSettings(type, bitrate) {
if (canStore(STORAGE_TYPE_LOCAL, LAST_BITRATE) && bitrate) {
var key = LOCAL_STORAGE_BITRATE_KEY_TEMPLATE.replace(/\?/, type);
try {
localStorage.setItem(key, JSON.stringify({ bitrate: bitrate.toFixed(3), timestamp: getTimestamp() }));
} catch (e) {
logger.error(e.message);
}
}
}
instance = {
getSavedBitrateSettings: getSavedBitrateSettings,
setSavedBitrateSettings: setSavedBitrateSettings,
getSavedMediaSettings: getSavedMediaSettings,
setSavedMediaSettings: setSavedMediaSettings
};
setup();
return instance;
}
DOMStorage.__dashjs_factory_name = 'DOMStorage';
var factory = _coreFactoryMaker2['default'].getSingletonFactory(DOMStorage);
exports['default'] = factory;
module.exports = exports['default'];
},{"45":45,"47":47}],150:[function(_dereq_,module,exports){
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
/**
* Creates an instance of an EBMLParser class which implements a large subset
* of the functionality required to parse Matroska EBML
*
* @param {Object} config object with data member which is the buffer to parse
*/
function EBMLParser(config) {
config = config || {};
var instance = undefined;
var data = new DataView(config.data);
var pos = 0;
function getPos() {
return pos;
}
function setPos(value) {
pos = value;
}
/**
* Consumes an EBML tag from the data stream.
*
* @param {Object} tag to parse, A tag is an object with at least a {number} tag and
* {boolean} required flag.
* @param {boolean} test whether or not the function should throw if a required
* tag is not found
* @return {boolean} whether or not the tag was found
* @throws will throw an exception if a required tag is not found and test
* param is false or undefined, or if the stream is malformed.
* @memberof EBMLParser
*/
function consumeTag(tag, test) {
var found = true;
var bytesConsumed = 0;
var p1 = undefined,
p2 = undefined;
if (test === undefined) {
test = false;
}
if (tag.tag > 0xFFFFFF) {
if (data.getUint32(pos) !== tag.tag) {
found = false;
}
bytesConsumed = 4;
} else if (tag.tag > 0xFFFF) {
// 3 bytes
p1 = data.getUint16(pos);
p2 = data.getUint8(pos + 2);
// shift p1 over a byte and add p2
if (p1 * 256 + p2 !== tag.tag) {
found = false;
}
bytesConsumed = 3;
} else if (tag.tag > 0xFF) {
if (data.getUint16(pos) !== tag.tag) {
found = false;
}
bytesConsumed = 2;
} else {
if (data.getUint8(pos) !== tag.tag) {
found = false;
}
bytesConsumed = 1;
}
if (!found && tag.required && !test) {
throw new Error('required tag not found');
}
if (found) {
pos += bytesConsumed;
}
return found;
}
/**
* Consumes an EBML tag from the data stream. If the tag is found then this
* function will also remove the size field which follows the tag from the
* data stream.
*
* @param {Object} tag to parse, A tag is an object with at least a {number} tag and
* {boolean} required flag.
* @param {boolean} test whether or not the function should throw if a required
* tag is not found
* @return {boolean} whether or not the tag was found
* @throws will throw an exception if a required tag is not found and test
* param is false or undefined, or if the stream is malformedata.
* @memberof EBMLParser
*/
function consumeTagAndSize(tag, test) {
var found = consumeTag(tag, test);
if (found) {
getMatroskaCodedNum();
}
return found;
}
/**
* Consumes an EBML tag from the data stream. If the tag is found then this
* function will also remove the size field which follows the tag from the
* data stream. It will use the value of the size field to parse a binary
* field, using a parser defined in the tag itself
*
* @param {Object} tag to parse, A tag is an object with at least a {number} tag,
* {boolean} required flag, and a parse function which takes a size parameter
* @return {boolean} whether or not the tag was found
* @throws will throw an exception if a required tag is not found,
* or if the stream is malformed
* @memberof EBMLParser
*/
function parseTag(tag) {
var size = undefined;
consumeTag(tag);
size = getMatroskaCodedNum();
return instance[tag.parse](size);
}
/**
* Consumes an EBML tag from the data stream. If the tag is found then this
* function will also remove the size field which follows the tag from the
* data stream. It will use the value of the size field to skip over the
* entire section of EBML encapsulated by the tag.
*
* @param {Object} tag to parse, A tag is an object with at least a {number} tag, and
* {boolean} required flag
* @param {boolean} test a flag to indicate if an exception should be thrown
* if a required tag is not found
* @return {boolean} whether or not the tag was found
* @throws will throw an exception if a required tag is not found and test is
* false or undefined or if the stream is malformed
* @memberof EBMLParser
*/
function skipOverElement(tag, test) {
var found = consumeTag(tag, test);
var headerSize = undefined;
if (found) {
headerSize = getMatroskaCodedNum();
pos += headerSize;
}
return found;
}
/**
* Returns and consumes a number encoded according to the Matroska EBML
* specification from the bitstream.
*
* @param {boolean} retainMSB whether or not to retain the Most Significant Bit (the
* first 1). this is usually true when reading Tag IDs.
* @return {number} the decoded number
* @throws will throw an exception if the bit stream is malformed or there is
* not enough data
* @memberof EBMLParser
*/
function getMatroskaCodedNum(retainMSB) {
var bytesUsed = 1;
var mask = 0x80;
var maxBytes = 8;
var extraBytes = -1;
var num = 0;
var ch = data.getUint8(pos);
var i = 0;
for (i = 0; i < maxBytes; i += 1) {
if ((ch & mask) === mask) {
num = retainMSB === undefined ? ch & ~mask : ch;
extraBytes = i;
break;
}
mask >>= 1;
}
for (i = 0; i < extraBytes; i += 1, bytesUsed += 1) {
num = num << 8 | 0xff & data.getUint8(pos + bytesUsed);
}
pos += bytesUsed;
return num;
}
/**
* Returns and consumes a float from the bitstream.
*
* @param {number} size 4 or 8 byte floats are supported
* @return {number} the decoded number
* @throws will throw an exception if the bit stream is malformed or there is
* not enough data
* @memberof EBMLParser
*/
function getMatroskaFloat(size) {
var outFloat = undefined;
switch (size) {
case 4:
outFloat = data.getFloat32(pos);
pos += 4;
break;
case 8:
outFloat = data.getFloat64(pos);
pos += 8;
break;
}
return outFloat;
}
/**
* Consumes and returns an unsigned int from the bitstream.
*
* @param {number} size 1 to 8 bytes
* @return {number} the decoded number
* @throws will throw an exception if the bit stream is malformed or there is
* not enough data
* @memberof EBMLParser
*/
function getMatroskaUint(size) {
var val = 0;
for (var i = 0; i < size; i += 1) {
val <<= 8;
val |= data.getUint8(pos + i) & 0xff;
}
pos += size;
return val;
}
/**
* Tests whether there is more data in the bitstream for parsing
*
* @return {boolean} whether there is more data to parse
* @memberof EBMLParser
*/
function moreData() {
return pos < data.byteLength;
}
instance = {
getPos: getPos,
setPos: setPos,
consumeTag: consumeTag,
consumeTagAndSize: consumeTagAndSize,
parseTag: parseTag,
skipOverElement: skipOverElement,
getMatroskaCodedNum: getMatroskaCodedNum,
getMatroskaFloat: getMatroskaFloat,
getMatroskaUint: getMatroskaUint,
moreData: moreData
};
return instance;
}
EBMLParser.__dashjs_factory_name = 'EBMLParser';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(EBMLParser);
module.exports = exports['default'];
},{"47":47}],151:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var CAPABILITY_ERROR_MEDIASOURCE = 'mediasource';
var CAPABILITY_ERROR_MEDIAKEYS = 'mediakeys';
var DOWNLOAD_ERROR_ID_MANIFEST = 'manifest';
var DOWNLOAD_ERROR_ID_SIDX = 'SIDX';
var DOWNLOAD_ERROR_ID_CONTENT = 'content';
var DOWNLOAD_ERROR_ID_INITIALIZATION = 'initialization';
var DOWNLOAD_ERROR_ID_XLINK = 'xlink';
var MANIFEST_ERROR_ID_CODEC = 'codec';
var MANIFEST_ERROR_ID_PARSE = 'parse';
var MANIFEST_ERROR_ID_NOSTREAMS = 'nostreams';
var TIMED_TEXT_ERROR_ID_PARSE = 'parse';
function ErrorHandler() {
var instance = undefined;
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
// "mediasource"|"mediakeys"
function capabilityError(err) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'capability', event: err });
}
// {id: "manifest"|"SIDX"|"content"|"initialization"|"xlink", url: "", request: {XMLHttpRequest instance}}
function downloadError(id, url, request) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'download', event: { id: id, url: url, request: request } });
}
// {message: "", id: "parse"|"nostreams", manifest: {parsed manifest}}
function manifestError(message, id, manifest, err) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'manifestError', event: { message: message, id: id, manifest: manifest, event: err } });
}
// {message: '', id: 'parse', cc: ''}
function timedTextError(message, id, ccContent) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'cc', event: { message: message, id: id, cc: ccContent } });
}
function mediaSourceError(err) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'mediasource', event: err });
}
function mediaKeySessionError(err) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'key_session', event: err });
}
function mediaKeyMessageError(err) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'key_message', event: err });
}
function mssError(err) {
eventBus.trigger(_coreEventsEvents2['default'].ERROR, { error: 'mssError', event: err });
}
instance = {
capabilityError: capabilityError,
downloadError: downloadError,
manifestError: manifestError,
timedTextError: timedTextError,
mediaSourceError: mediaSourceError,
mediaKeySessionError: mediaKeySessionError,
mediaKeyMessageError: mediaKeyMessageError,
mssError: mssError
};
return instance;
}
ErrorHandler.__dashjs_factory_name = 'ErrorHandler';
var factory = _coreFactoryMaker2['default'].getSingletonFactory(ErrorHandler);
factory.CAPABILITY_ERROR_MEDIASOURCE = CAPABILITY_ERROR_MEDIASOURCE;
factory.CAPABILITY_ERROR_MEDIAKEYS = CAPABILITY_ERROR_MEDIAKEYS;
factory.DOWNLOAD_ERROR_ID_MANIFEST = DOWNLOAD_ERROR_ID_MANIFEST;
factory.DOWNLOAD_ERROR_ID_SIDX = DOWNLOAD_ERROR_ID_SIDX;
factory.DOWNLOAD_ERROR_ID_CONTENT = DOWNLOAD_ERROR_ID_CONTENT;
factory.DOWNLOAD_ERROR_ID_INITIALIZATION = DOWNLOAD_ERROR_ID_INITIALIZATION;
factory.DOWNLOAD_ERROR_ID_XLINK = DOWNLOAD_ERROR_ID_XLINK;
factory.MANIFEST_ERROR_ID_CODEC = MANIFEST_ERROR_ID_CODEC;
factory.MANIFEST_ERROR_ID_PARSE = MANIFEST_ERROR_ID_PARSE;
factory.MANIFEST_ERROR_ID_NOSTREAMS = MANIFEST_ERROR_ID_NOSTREAMS;
factory.TIMED_TEXT_ERROR_ID_PARSE = TIMED_TEXT_ERROR_ID_PARSE;
_coreFactoryMaker2['default'].updateSingletonFactory(ErrorHandler.__dashjs_factory_name, factory);
exports['default'] = factory;
module.exports = exports['default'];
},{"46":46,"47":47,"50":50}],152:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* Represents data structure to keep and drive {DataChunk}
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function InitCache() {
var data = {};
function save(chunk) {
var id = chunk.streamId;
var representationId = chunk.representationId;
data[id] = data[id] || {};
data[id][representationId] = chunk;
}
function extract(streamId, representationId) {
if (data && data[streamId] && data[streamId][representationId]) {
return data[streamId][representationId];
} else {
return null;
}
}
function reset() {
data = {};
}
var instance = {
save: save,
extract: extract,
reset: reset
};
return instance;
}
InitCache.__dashjs_factory_name = 'InitCache';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(InitCache);
module.exports = exports['default'];
},{"47":47}],153:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _voIsoBox = _dereq_(167);
var _voIsoBox2 = _interopRequireDefault(_voIsoBox);
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function IsoFile() {
var instance = undefined,
parsedIsoFile = undefined;
/**
* @param {string} type
* @returns {IsoBox|null}
* @memberof IsoFile#
*/
function getBox(type) {
if (!type || !parsedIsoFile || !parsedIsoFile.boxes || parsedIsoFile.boxes.length === 0 || typeof parsedIsoFile.fetch !== 'function') return null;
return convertToDashIsoBox(parsedIsoFile.fetch(type));
}
/**
* @param {string} type
* @returns {Array|null} array of {@link IsoBox}
* @memberof IsoFile#
*/
function getBoxes(type) {
var boxes = [];
if (!type || !parsedIsoFile || typeof parsedIsoFile.fetchAll !== 'function') {
return boxes;
}
var boxData = parsedIsoFile.fetchAll(type);
var box = undefined;
for (var i = 0, ln = boxData.length; i < ln; i++) {
box = convertToDashIsoBox(boxData[i]);
if (box) {
boxes.push(box);
}
}
return boxes;
}
/**
* @param {string} value
* @memberof IsoFile#
*/
function setData(value) {
parsedIsoFile = value;
}
/**
* @returns {IsoBox|null}
* @memberof IsoFile#
*/
function getLastBox() {
if (!parsedIsoFile || !parsedIsoFile.boxes || !parsedIsoFile.boxes.length) return null;
var type = parsedIsoFile.boxes[parsedIsoFile.boxes.length - 1].type;
var boxes = getBoxes(type);
return boxes.length > 0 ? boxes[boxes.length - 1] : null;
}
function convertToDashIsoBox(boxData) {
if (!boxData) return null;
var box = new _voIsoBox2['default'](boxData);
if (boxData.hasOwnProperty('_incomplete')) {
box.isComplete = !boxData._incomplete;
}
return box;
}
instance = {
getBox: getBox,
getBoxes: getBoxes,
setData: setData,
getLastBox: getLastBox
};
return instance;
}
IsoFile.__dashjs_factory_name = 'IsoFile';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(IsoFile);
module.exports = exports['default'];
},{"167":167,"47":47}],154:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
/**
* @param {Object} config
* @returns {{initialize: initialize, getLiveEdge: getLiveEdge, reset: reset}|*}
* @constructor
*/
function LiveEdgeFinder(config) {
config = config || {};
var instance = undefined;
var timelineConverter = config.timelineConverter;
var streamProcessor = config.streamProcessor;
function checkConfig() {
if (!timelineConverter || !timelineConverter.hasOwnProperty('getExpectedLiveEdge') || !streamProcessor || !streamProcessor.hasOwnProperty('getCurrentRepresentationInfo')) {
throw new Error('Missing config parameter(s)');
}
}
function getLiveEdge() {
checkConfig();
var representationInfo = streamProcessor.getCurrentRepresentationInfo();
var liveEdge = representationInfo.DVRWindow.end;
if (representationInfo.useCalculatedLiveEdgeTime) {
liveEdge = timelineConverter.getExpectedLiveEdge();
timelineConverter.setClientTimeOffset(liveEdge - representationInfo.DVRWindow.end);
}
return liveEdge;
}
function reset() {
timelineConverter = null;
streamProcessor = null;
}
instance = {
getLiveEdge: getLiveEdge,
reset: reset
};
return instance;
}
LiveEdgeFinder.__dashjs_factory_name = 'LiveEdgeFinder';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(LiveEdgeFinder);
module.exports = exports['default'];
},{"47":47}],155:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _fastDeepEqual = _dereq_(6);
var _fastDeepEqual2 = _interopRequireDefault(_fastDeepEqual);
/**
* @module ObjectUtils
* @description Provides utility functions for objects
*/
function ObjectUtils() {
var instance = undefined;
/**
* Returns true if objects are equal
* @return {boolean}
* @param {object} obj1
* @param {object} obj2
* @memberof module:ObjectUtils
* @instance
*/
function areEqual(obj1, obj2) {
return (0, _fastDeepEqual2['default'])(obj1, obj2);
}
instance = {
areEqual: areEqual
};
return instance;
}
ObjectUtils.__dashjs_factory_name = 'ObjectUtils';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(ObjectUtils);
module.exports = exports['default'];
},{"47":47,"6":6}],156:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function RequestModifier() {
var instance = undefined;
function modifyRequestURL(url) {
return url;
}
function modifyRequestHeader(request) {
return request;
}
instance = {
modifyRequestURL: modifyRequestURL,
modifyRequestHeader: modifyRequestHeader
};
return instance;
}
RequestModifier.__dashjs_factory_name = 'RequestModifier';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(RequestModifier);
module.exports = exports['default'];
},{"47":47}],157:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var _coreEventBus = _dereq_(46);
var _coreEventBus2 = _interopRequireDefault(_coreEventBus);
var _coreEventsEvents = _dereq_(50);
var _coreEventsEvents2 = _interopRequireDefault(_coreEventsEvents);
var _imsc = _dereq_(40);
function TTMLParser() {
var context = this.context;
var eventBus = (0, _coreEventBus2['default'])(context).getInstance();
/*
* This TTML parser follows "EBU-TT-D SUBTITLING DISTRIBUTION FORMAT - tech3380" spec - https://tech.ebu.ch/docs/tech/tech3380.pdf.
* */
var instance = undefined,
logger = undefined;
var cueCounter = 0; // Used to give every cue a unique ID.
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
}
function getCueID() {
var id = 'cue_TTML_' + cueCounter;
cueCounter++;
return id;
}
/**
* Parse the raw data and process it to return the HTML element representing the cue.
* Return the region to be processed and controlled (hide/show) by the caption controller.
* @param {string} data - raw data received from the TextSourceBuffer
* @param {number} offsetTime - offset time to apply to cue time
* @param {integer} startTimeSegment - startTime for the current segment
* @param {integer} endTimeSegment - endTime for the current segment
* @param {Array} images - images array referenced by subs MP4 box
*/
function parse(data, offsetTime, startTimeSegment, endTimeSegment, images) {
var i = undefined;
var errorMsg = '';
var captionArray = [];
var startTime = undefined,
endTime = undefined;
var content = {};
var embeddedImages = {};
var currentImageId = '';
var accumulated_image_data = '';
var metadataHandler = {
onOpenTag: function onOpenTag(ns, name, attrs) {
if (name === 'image' && ns === 'http://www.smpte-ra.org/schemas/2052-1/2010/smpte-tt') {
if (!attrs[' imagetype'] || attrs[' imagetype'].value !== 'PNG') {
logger.warn('smpte-tt imagetype != PNG. Discarded');
return;
}
currentImageId = attrs['http://www.w3.org/XML/1998/namespace id'].value;
}
},
onCloseTag: function onCloseTag() {
if (currentImageId) {
embeddedImages[currentImageId] = accumulated_image_data.trim();
}
accumulated_image_data = '';
currentImageId = '';
},
onText: function onText(contents) {
if (currentImageId) {
accumulated_image_data = accumulated_image_data + contents;
}
}
};
if (!data) {
errorMsg = 'no ttml data to parse';
throw new Error(errorMsg);
}
content.data = data;
eventBus.trigger(_coreEventsEvents2['default'].TTML_TO_PARSE, content);
var imsc1doc = (0, _imsc.fromXML)(content.data, function (msg) {
errorMsg = msg;
}, metadataHandler);
eventBus.trigger(_coreEventsEvents2['default'].TTML_PARSED, { ttmlString: content.data, ttmlDoc: imsc1doc });
var mediaTimeEvents = imsc1doc.getMediaTimeEvents();
for (i = 0; i < mediaTimeEvents.length; i++) {
var isd = (0, _imsc.generateISD)(imsc1doc, mediaTimeEvents[i], function (error) {
errorMsg = error;
});
if (isd.contents.some(function (topLevelContents) {
return topLevelContents.contents.length;
})) {
//be sure that mediaTimeEvents values are in the mp4 segment time ranges.
startTime = mediaTimeEvents[i] + offsetTime < startTimeSegment ? startTimeSegment : mediaTimeEvents[i] + offsetTime;
endTime = mediaTimeEvents[i + 1] + offsetTime > endTimeSegment ? endTimeSegment : mediaTimeEvents[i + 1] + offsetTime;
if (startTime < endTime) {
captionArray.push({
start: startTime,
end: endTime,
type: 'html',
cueID: getCueID(),
isd: isd,
images: images,
embeddedImages: embeddedImages
});
}
}
}
if (errorMsg !== '') {
logger.error(errorMsg);
throw new Error(errorMsg);
}
return captionArray;
}
instance = {
parse: parse
};
setup();
return instance;
}
TTMLParser.__dashjs_factory_name = 'TTMLParser';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(TTMLParser);
module.exports = exports['default'];
},{"40":40,"45":45,"46":46,"47":47,"50":50}],158:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
/**
* @module URLUtils
* @description Provides utility functions for operating on URLs.
* Initially this is simply a method to determine the Base URL of a URL, but
* should probably include other things provided all over the place such as
* determining whether a URL is relative/absolute, resolving two paths etc.
*/
function URLUtils() {
var resolveFunction = undefined;
var schemeRegex = /^[a-z][a-z0-9+\-.]*:/i;
var httpUrlRegex = /^https?:\/\//i;
var httpsUrlRegex = /^https:\/\//i;
var originRegex = /^([a-z][a-z0-9+\-.]*:\/\/[^\/]+)\/?/i;
/**
* Resolves a url given an optional base url
* Uses window.URL to do the resolution.
*
* @param {string} url
* @param {string} [baseUrl]
* @return {string}
* @memberof module:URLUtils
* @instance
* @private
*/
var nativeURLResolver = function nativeURLResolver(url, baseUrl) {
try {
// this will throw if baseurl is undefined, invalid etc
return new window.URL(url, baseUrl).toString();
} catch (e) {
return url;
}
};
/**
* Resolves a url given an optional base url
* Does not resolve ./, ../ etc but will do enough to construct something
* which will satisfy XHR etc when window.URL is not available ie
* IE11/node etc.
*
* @param {string} url
* @param {string} [baseUrl]
* @return {string}
* @memberof module:URLUtils
* @instance
* @private
*/
var dumbURLResolver = function dumbURLResolver(url, baseUrl) {
var baseUrlParseFunc = parseBaseUrl;
if (!baseUrl) {
return url;
}
if (!isRelative(url)) {
return url;
}
if (isPathAbsolute(url)) {
baseUrlParseFunc = parseOrigin;
}
if (isSchemeRelative(url)) {
baseUrlParseFunc = parseScheme;
}
var base = baseUrlParseFunc(baseUrl);
var joinChar = base.charAt(base.length - 1) !== '/' && url.charAt(0) !== '/' ? '/' : '';
return [base, url].join(joinChar);
};
function setup() {
try {
var u = new window.URL('x', 'http://y'); //jshint ignore:line
resolveFunction = nativeURLResolver;
} catch (e) {
// must be IE11/Node etc
} finally {
resolveFunction = resolveFunction || dumbURLResolver;
}
}
/**
* Returns a string that contains the Base URL of a URL, if determinable.
* @param {string} url - full url
* @return {string}
* @memberof module:URLUtils
* @instance
*/
function parseBaseUrl(url) {
var slashIndex = url.indexOf('/');
var lastSlashIndex = url.lastIndexOf('/');
if (slashIndex !== -1) {
// if there is only '//'
if (lastSlashIndex === slashIndex + 1) {
return url;
}
if (url.indexOf('?') !== -1) {
url = url.substring(0, url.indexOf('?'));
}
return url.substring(0, lastSlashIndex + 1);
}
return '';
}
/**
* Returns a string that contains the scheme and origin of a URL,
* if determinable.
* @param {string} url - full url
* @return {string}
* @memberof module:URLUtils
* @instance
*/
function parseOrigin(url) {
var matches = url.match(originRegex);
if (matches) {
return matches[1];
}
return '';
}
/**
* Returns a string that contains the scheme of a URL, if determinable.
* @param {string} url - full url
* @return {string}
* @memberof module:URLUtils
* @instance
*/
function parseScheme(url) {
var matches = url.match(schemeRegex);
if (matches) {
return matches[0];
}
return '';
}
/**
* Determines whether the url is relative.
* @return {bool}
* @param {string} url
* @memberof module:URLUtils
* @instance
*/
function isRelative(url) {
return !schemeRegex.test(url);
}
/**
* Determines whether the url is path-absolute.
* @return {bool}
* @param {string} url
* @memberof module:URLUtils
* @instance
*/
function isPathAbsolute(url) {
return isRelative(url) && url.charAt(0) === '/';
}
/**
* Determines whether the url is scheme-relative.
* @return {bool}
* @param {string} url
* @memberof module:URLUtils
* @instance
*/
function isSchemeRelative(url) {
return url.indexOf('//') === 0;
}
/**
* Determines whether the url is an HTTP-URL as defined in ISO/IEC
* 23009-1:2014 3.1.15. ie URL with a fixed scheme of http or https
* @return {bool}
* @param {string} url
* @memberof module:URLUtils
* @instance
*/
function isHTTPURL(url) {
return httpUrlRegex.test(url);
}
/**
* Determines whether the supplied url has https scheme
* @return {bool}
* @param {string} url
* @memberof module:URLUtils
* @instance
*/
function isHTTPS(url) {
return httpsUrlRegex.test(url);
}
/**
* Resolves a url given an optional base url
* @return {string}
* @param {string} url
* @param {string} [baseUrl]
* @memberof module:URLUtils
* @instance
*/
function resolve(url, baseUrl) {
return resolveFunction(url, baseUrl);
}
setup();
var instance = {
parseBaseUrl: parseBaseUrl,
parseOrigin: parseOrigin,
parseScheme: parseScheme,
isRelative: isRelative,
isPathAbsolute: isPathAbsolute,
isSchemeRelative: isSchemeRelative,
isHTTPURL: isHTTPURL,
isHTTPS: isHTTPS,
resolve: resolve
};
return instance;
}
URLUtils.__dashjs_factory_name = 'URLUtils';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(URLUtils);
module.exports = exports['default'];
},{"47":47}],159:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
var _coreDebug = _dereq_(45);
var _coreDebug2 = _interopRequireDefault(_coreDebug);
var WEBVTT = 'WEBVTT';
function VTTParser() {
var context = this.context;
var instance = undefined,
logger = undefined,
regExNewLine = undefined,
regExToken = undefined,
regExWhiteSpace = undefined,
regExWhiteSpaceWordBoundary = undefined;
function setup() {
logger = (0, _coreDebug2['default'])(context).getInstance().getLogger(instance);
regExNewLine = /(?:\r\n|\r|\n)/gm;
regExToken = /-->/;
regExWhiteSpace = /(^[\s]+|[\s]+$)/g;
regExWhiteSpaceWordBoundary = /\s\b/g;
}
function parse(data) {
var captionArray = [];
var len = undefined,
lastStartTime = undefined;
if (!data) {
return captionArray;
}
data = data.split(regExNewLine);
len = data.length;
lastStartTime = -1;
for (var i = 0; i < len; i++) {
var item = data[i];
if (item.length > 0 && item !== WEBVTT) {
if (item.match(regExToken)) {
var attributes = parseItemAttributes(item);
var cuePoints = attributes.cuePoints;
var styles = attributes.styles;
var text = getSublines(data, i + 1);
var startTime = convertCuePointTimes(cuePoints[0].replace(regExWhiteSpace, ''));
var endTime = convertCuePointTimes(cuePoints[1].replace(regExWhiteSpace, ''));
if (!isNaN(startTime) && !isNaN(endTime) && startTime >= lastStartTime && endTime > startTime) {
if (text !== '') {
lastStartTime = startTime;
//TODO Make VO external so other parsers can use.
captionArray.push({
start: startTime,
end: endTime,
data: text,
styles: styles
});
} else {
logger.error('Skipping cue due to empty/malformed cue text');
}
} else {
logger.error('Skipping cue due to incorrect cue timing');
}
}
}
}
return captionArray;
}
function convertCuePointTimes(time) {
var timeArray = time.split(':');
var len = timeArray.length - 1;
time = parseInt(timeArray[len - 1], 10) * 60 + parseFloat(timeArray[len]);
if (len === 2) {
time += parseInt(timeArray[0], 10) * 3600;
}
return time;
}
function parseItemAttributes(data) {
var vttCuePoints = data.split(regExToken);
var arr = vttCuePoints[1].split(regExWhiteSpaceWordBoundary);
arr.shift(); //remove first array index it is empty...
vttCuePoints[1] = arr[0];
arr.shift();
return { cuePoints: vttCuePoints, styles: getCaptionStyles(arr) };
}
function getCaptionStyles(arr) {
var styleObject = {};
arr.forEach(function (element) {
if (element.split(/:/).length > 1) {
var val = element.split(/:/)[1];
if (val && val.search(/%/) != -1) {
val = parseInt(val.replace(/%/, ''), 10);
}
if (element.match(/align/) || element.match(/A/)) {
styleObject.align = val;
}
if (element.match(/line/) || element.match(/L/)) {
styleObject.line = val;
}
if (element.match(/position/) || element.match(/P/)) {
styleObject.position = val;
}
if (element.match(/size/) || element.match(/S/)) {
styleObject.size = val;
}
}
});
return styleObject;
}
/*
* VTT can have multiple lines to display per cuepoint.
*/
function getSublines(data, idx) {
var i = idx;
var subline = '';
var lineData = '';
var lineCount = undefined;
while (data[i] !== '' && i < data.length) {
i++;
}
lineCount = i - idx;
if (lineCount > 1) {
for (var j = 0; j < lineCount; j++) {
lineData = data[idx + j];
if (!lineData.match(regExToken)) {
subline += lineData;
if (j !== lineCount - 1) {
subline += '\n';
}
} else {
// caption text should not have '-->' in it
subline = '';
break;
}
}
} else {
lineData = data[idx];
if (!lineData.match(regExToken)) subline = lineData;
}
return subline;
}
instance = {
parse: parse
};
setup();
return instance;
}
VTTParser.__dashjs_factory_name = 'VTTParser';
exports['default'] = _coreFactoryMaker2['default'].getSingletonFactory(VTTParser);
module.exports = exports['default'];
},{"45":45,"47":47}],160:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function BasicSelector(config) {
config = config || {};
var instance = undefined;
var blacklistController = config.blacklistController;
function select(baseUrls) {
var index = 0;
var selectedBaseUrl = undefined;
if (baseUrls && baseUrls.some(function (baseUrl, idx) {
index = idx;
return !blacklistController.contains(baseUrl.serviceLocation);
})) {
selectedBaseUrl = baseUrls[index];
}
return selectedBaseUrl;
}
instance = {
select: select
};
return instance;
}
BasicSelector.__dashjs_factory_name = 'BasicSelector';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(BasicSelector);
module.exports = exports['default'];
},{"47":47}],161:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
var _coreFactoryMaker = _dereq_(47);
var _coreFactoryMaker2 = _interopRequireDefault(_coreFactoryMaker);
function DVBSelector(config) {
config = config || {};
var instance = undefined;
var blacklistController = config.blacklistController;
function getNonBlacklistedBaseUrls(urls) {
var removedPriorities = [];
var samePrioritiesFilter = function samePrioritiesFilter(el) {
if (removedPriorities.length) {
if (el.dvb_priority && removedPriorities.indexOf(el.dvb_priority) !== -1) {
return false;
}
}
return true;
};
var serviceLocationFilter = function serviceLocationFilter(baseUrl) {
if (blacklistController.contains(baseUrl.serviceLocation)) {
// whenever a BaseURL is removed from the available list of
// BaseURLs, any other BaseURL with the same @priority
// value as the BaseURL being removed shall also be removed
if (baseUrl.dvb_priority) {
removedPriorities.push(baseUrl.dvb_priority);
}
// all URLs in the list which have a @serviceLocation
// attribute matching an entry in the blacklist shall be
// removed from the available list of BaseURLs
return false;
}
return true;
};
return urls.filter(serviceLocationFilter).filter(samePrioritiesFilter);
}
function selectByWeight(availableUrls) {
var prioritySorter = function prioritySorter(a, b) {
var diff = a.dvb_priority - b.dvb_priority;
return isNaN(diff) ? 0 : diff;
};
var topPriorityFilter = function topPriorityFilter(baseUrl, idx, arr) {
return !idx || arr[0].dvb_priority && baseUrl.dvb_priority && arr[0].dvb_priority === baseUrl.dvb_priority;
};
var totalWeight = 0;
var cumulWeights = [];
var idx = 0;
var rn = undefined,
urls = undefined;
// It shall begin by taking the set of resolved BaseURLs present or inherited at the current
// position in the MPD, resolved and filtered as described in 10.8.2.1, that have the lowest
// @priority attribute value.
urls = availableUrls.sort(prioritySorter).filter(topPriorityFilter);
if (urls.length) {
if (urls.length > 1) {
// If there is more than one BaseURL with this lowest @priority attribute value then the Player
// shall select one of them at random such that the probability of each BaseURL being chosen
// is proportional to the value of its @weight attribute. The method described in RFC 2782
// [26] or picking from a number of weighted entries is suitable for this, but there may be other
// algorithms which achieve the same effect.
// add all the weights together, storing the accumulated weight per entry
urls.forEach(function (baseUrl) {
totalWeight += baseUrl.dvb_weight;
cumulWeights.push(totalWeight);
});
// pick a random number between zero and totalWeight
rn = Math.floor(Math.random() * (totalWeight - 1));
// select the index for the range rn falls within
cumulWeights.every(function (limit, index) {
idx = index;
if (rn < limit) {
return false;
}
return true;
});
}
return urls[idx];
}
}
function select(baseUrls) {
return baseUrls && selectByWeight(getNonBlacklistedBaseUrls(baseUrls));
}
instance = {
select: select
};
return instance;
}
DVBSelector.__dashjs_factory_name = 'DVBSelector';
exports['default'] = _coreFactoryMaker2['default'].getClassFactory(DVBSelector);
module.exports = exports['default'];
},{"47":47}],162:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var BitrateInfo = function BitrateInfo() {
_classCallCheck(this, BitrateInfo);
this.mediaType = null;
this.bitrate = null;
this.width = null;
this.height = null;
this.scanType = null;
this.qualityIndex = NaN;
};
exports["default"] = BitrateInfo;
module.exports = exports["default"];
},{}],163:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var DashJSError = function DashJSError(code, message, data) {
_classCallCheck(this, DashJSError);
this.code = code || null;
this.message = message || null;
this.data = data || null;
};
exports["default"] = DashJSError;
module.exports = exports["default"];
},{}],164:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var DataChunk =
//Represents a data structure that keep all the necessary info about a single init/media segment
function DataChunk() {
_classCallCheck(this, DataChunk);
this.streamId = null;
this.mediaInfo = null;
this.segmentType = null;
this.quality = NaN;
this.index = NaN;
this.bytes = null;
this.start = NaN;
this.end = NaN;
this.duration = NaN;
this.representationId = null;
this.endFragment = null;
};
exports["default"] = DataChunk;
module.exports = exports["default"];
},{}],165:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var FragmentRequest = function FragmentRequest() {
_classCallCheck(this, FragmentRequest);
this.action = FragmentRequest.ACTION_DOWNLOAD;
this.startTime = NaN;
this.mediaType = null;
this.mediaInfo = null;
this.type = null;
this.duration = NaN;
this.timescale = NaN;
this.range = null;
this.url = null;
this.serviceLocation = null;
this.requestStartDate = null;
this.firstByteDate = null;
this.requestEndDate = null;
this.quality = NaN;
this.index = NaN;
this.availabilityStartTime = null;
this.availabilityEndTime = null;
this.wallStartTime = null;
this.bytesLoaded = NaN;
this.bytesTotal = NaN;
this.delayLoadingTime = NaN;
this.responseType = 'arraybuffer';
this.representationId = null;
};
FragmentRequest.ACTION_DOWNLOAD = 'download';
FragmentRequest.ACTION_COMPLETE = 'complete';
exports['default'] = FragmentRequest;
module.exports = exports['default'];
},{}],166:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _FragmentRequest2 = _dereq_(165);
var _FragmentRequest3 = _interopRequireDefault(_FragmentRequest2);
var HeadRequest = (function (_FragmentRequest) {
_inherits(HeadRequest, _FragmentRequest);
function HeadRequest(url) {
_classCallCheck(this, HeadRequest);
_get(Object.getPrototypeOf(HeadRequest.prototype), 'constructor', this).call(this);
this.url = url || null;
this.checkForExistenceOnly = true;
}
return HeadRequest;
})(_FragmentRequest3['default']);
exports['default'] = HeadRequest;
module.exports = exports['default'];
},{"165":165}],167:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _createClass = (function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ('value' in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; })();
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var IsoBox = (function () {
function IsoBox(boxData) {
_classCallCheck(this, IsoBox);
this.offset = boxData._offset;
this.type = boxData.type;
this.size = boxData.size;
this.boxes = [];
if (boxData.boxes) {
for (var i = 0; i < boxData.boxes.length; i++) {
this.boxes.push(new IsoBox(boxData.boxes[i]));
}
}
this.isComplete = true;
switch (boxData.type) {
case 'sidx':
this.timescale = boxData.timescale;
this.earliest_presentation_time = boxData.earliest_presentation_time;
this.first_offset = boxData.first_offset;
this.references = boxData.references;
if (boxData.references) {
this.references = [];
for (var i = 0; i < boxData.references.length; i++) {
var reference = {
reference_type: boxData.references[i].reference_type,
referenced_size: boxData.references[i].referenced_size,
subsegment_duration: boxData.references[i].subsegment_duration
};
this.references.push(reference);
}
}
break;
case 'emsg':
this.id = boxData.id;
this.value = boxData.value;
this.timescale = boxData.timescale;
this.scheme_id_uri = boxData.scheme_id_uri;
this.presentation_time_delta = boxData.presentation_time_delta;
this.event_duration = boxData.event_duration;
this.message_data = boxData.message_data;
break;
case 'mdhd':
this.timescale = boxData.timescale;
break;
case 'mfhd':
this.sequence_number = boxData.sequence_number;
break;
case 'subs':
this.entry_count = boxData.entry_count;
this.entries = boxData.entries;
break;
case 'tfhd':
this.base_data_offset = boxData.base_data_offset;
this.sample_description_index = boxData.sample_description_index;
this.default_sample_duration = boxData.default_sample_duration;
this.default_sample_size = boxData.default_sample_size;
this.default_sample_flags = boxData.default_sample_flags;
this.flags = boxData.flags;
break;
case 'tfdt':
this.version = boxData.version;
this.baseMediaDecodeTime = boxData.baseMediaDecodeTime;
this.flags = boxData.flags;
break;
case 'trun':
this.sample_count = boxData.sample_count;
this.first_sample_flags = boxData.first_sample_flags;
this.data_offset = boxData.data_offset;
this.flags = boxData.flags;
this.samples = boxData.samples;
if (boxData.samples) {
this.samples = [];
for (var i = 0, ln = boxData.samples.length; i < ln; i++) {
var sample = {
sample_size: boxData.samples[i].sample_size,
sample_duration: boxData.samples[i].sample_duration,
sample_composition_time_offset: boxData.samples[i].sample_composition_time_offset
};
this.samples.push(sample);
}
}
break;
}
}
_createClass(IsoBox, [{
key: 'getChildBox',
value: function getChildBox(type) {
for (var i = 0; i < this.boxes.length; i++) {
if (this.boxes[i].type === type) {
return this.boxes[i];
}
}
}
}, {
key: 'getChildBoxes',
value: function getChildBoxes(type) {
var boxes = [];
for (var i = 0; i < this.boxes.length; i++) {
if (this.boxes[i].type === type) {
boxes.push(this.boxes[i]);
}
}
return boxes;
}
}]);
return IsoBox;
})();
exports['default'] = IsoBox;
module.exports = exports['default'];
},{}],168:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var IsoBoxSearchInfo = function IsoBoxSearchInfo(lastCompletedOffset, found, size) {
_classCallCheck(this, IsoBoxSearchInfo);
this.lastCompletedOffset = lastCompletedOffset;
this.found = found;
this.size = size;
};
exports["default"] = IsoBoxSearchInfo;
module.exports = exports["default"];
},{}],169:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var ManifestInfo = function ManifestInfo() {
_classCallCheck(this, ManifestInfo);
this.DVRWindowSize = NaN;
this.loadedTime = null;
this.availableFrom = null;
this.minBufferTime = NaN;
this.duration = NaN;
this.isDynamic = false;
this.maxFragmentDuration = null;
};
exports["default"] = ManifestInfo;
module.exports = exports["default"];
},{}],170:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var MediaInfo = function MediaInfo() {
_classCallCheck(this, MediaInfo);
this.id = null;
this.index = null;
this.type = null;
this.streamInfo = null;
this.representationCount = 0;
this.lang = null;
this.viewpoint = null;
this.accessibility = null;
this.audioChannelConfiguration = null;
this.roles = null;
this.codec = null;
this.mimeType = null;
this.contentProtection = null;
this.isText = false;
this.KID = null;
this.bitrateList = null;
};
exports["default"] = MediaInfo;
module.exports = exports["default"];
},{}],171:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var MetricsList = function MetricsList() {
_classCallCheck(this, MetricsList);
this.TcpList = [];
this.HttpList = [];
this.RepSwitchList = [];
this.BufferLevel = [];
this.BufferState = [];
this.PlayList = [];
this.DroppedFrames = [];
this.SchedulingInfo = [];
this.DVRInfo = [];
this.ManifestUpdate = [];
this.RequestsQueue = null;
this.DVBErrors = [];
};
exports["default"] = MetricsList;
module.exports = exports["default"];
},{}],172:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var RepresentationInfo = function RepresentationInfo() {
_classCallCheck(this, RepresentationInfo);
this.id = null;
this.quality = null;
this.DVRWindow = null;
this.fragmentDuration = null;
this.mediaInfo = null;
this.MSETimeOffset = null;
};
exports["default"] = RepresentationInfo;
module.exports = exports["default"];
},{}],173:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var StreamInfo = function StreamInfo() {
_classCallCheck(this, StreamInfo);
this.id = null;
this.index = null;
this.start = NaN;
this.duration = NaN;
this.manifestInfo = null;
this.isLast = true;
};
exports["default"] = StreamInfo;
module.exports = exports["default"];
},{}],174:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
var _get = function get(_x, _x2, _x3) { var _again = true; _function: while (_again) { var object = _x, property = _x2, receiver = _x3; _again = false; if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { _x = parent; _x2 = property; _x3 = receiver; _again = true; desc = parent = undefined; continue _function; } } else if ('value' in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } } };
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
function _inherits(subClass, superClass) { if (typeof superClass !== 'function' && superClass !== null) { throw new TypeError('Super expression must either be null or a function, not ' + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }
var _constantsConstants = _dereq_(98);
var _constantsConstants2 = _interopRequireDefault(_constantsConstants);
var _FragmentRequest2 = _dereq_(165);
var _FragmentRequest3 = _interopRequireDefault(_FragmentRequest2);
var TextRequest = (function (_FragmentRequest) {
_inherits(TextRequest, _FragmentRequest);
function TextRequest(url, type) {
_classCallCheck(this, TextRequest);
_get(Object.getPrototypeOf(TextRequest.prototype), 'constructor', this).call(this);
this.url = url || null;
this.type = type || null;
this.mediaType = _constantsConstants2['default'].STREAM;
this.responseType = ''; //'text' value returns a bad encoding response in Firefox
}
return TextRequest;
})(_FragmentRequest3['default']);
exports['default'] = TextRequest;
module.exports = exports['default'];
},{"165":165,"98":98}],175:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var TextTrackInfo = function TextTrackInfo() {
_classCallCheck(this, TextTrackInfo);
this.captionData = null;
this.label = null;
this.lang = null;
this.defaultTrack = false;
this.kind = null;
this.isFragmented = false;
this.isEmbedded = false;
};
exports["default"] = TextTrackInfo;
module.exports = exports["default"];
},{}],176:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var Thumbnail = function Thumbnail() {
_classCallCheck(this, Thumbnail);
this.url = null;
this.width = null;
this.height = null;
this.x = null;
this.y = null;
};
exports["default"] = Thumbnail;
module.exports = exports["default"];
},{}],177:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var ThumbnailTrackInfo = function ThumbnailTrackInfo() {
_classCallCheck(this, ThumbnailTrackInfo);
this.bitrate = 0;
this.width = 0;
this.height = 0;
this.tilesHor = 0;
this.tilesVert = 0;
this.widthPerTile = 0;
this.heightPerTile = 0;
this.startNumber = 0;
this.segmentDuration = 0;
this.timescale = 0;
this.templateUrl = '';
this.id = '';
};
exports['default'] = ThumbnailTrackInfo;
module.exports = exports['default'];
},{}],178:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
* @ignore
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var URIFragmentData = function URIFragmentData() {
_classCallCheck(this, URIFragmentData);
this.t = null;
this.xywh = null;
this.track = null;
this.id = null;
this.s = null;
this.r = null;
};
exports["default"] = URIFragmentData;
/*
From Spec http://www.w3.org/TR/media-frags/
temporal (t) - This dimension denotes a specific time range in the original media, such as "starting at second 10, continuing until second 20";
spatial (xywh) - this dimension denotes a specific range of pixels in the original media, such as "a rectangle with size (100,100) with its top-left at coordinate (10,10)";
Media fragments support also addressing the media along two additional dimensions (in the advanced version defined in Media Fragments 1.0 URI (advanced)):
track (track) - this dimension denotes one or more tracks in the original media, such as "the english audio and the video track";
id (id) - this dimension denotes a named temporal fragment within the original media, such as "chapter 2", and can be seen as a convenient way of specifying a temporal fragment.
## Note
Akamai is purposing to add #s=X to the ISO standard.
- (X) Value would be a start time to seek to at startup instead of starting at 0 or live edge
- Allows for seeking back before the start time unlike a temporal clipping.
*/
module.exports = exports["default"];
},{}],179:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var BufferLevel =
/**
* @description This Object holds reference to the current buffer level and the time it was recorded.
*/
function BufferLevel() {
_classCallCheck(this, BufferLevel);
/**
* Real-Time | Time of the measurement of the buffer level.
* @public
*/
this.t = null;
/**
* Level of the buffer in milliseconds. Indicates the playout duration for which
* media data of all active media components is available starting from the
* current playout time.
* @public
*/
this.level = null;
};
exports["default"] = BufferLevel;
module.exports = exports["default"];
},{}],180:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var _controllersBufferController = _dereq_(103);
var _controllersBufferController2 = _interopRequireDefault(_controllersBufferController);
/**
* @class
*/
var BufferState =
/**
* @description This Object holds reference to the current buffer state of the video element.
*/
function BufferState() {
_classCallCheck(this, BufferState);
/**
* The Buffer Level Target determined by the BufferLevelRule.
* @public
*/
this.target = null;
/**
* Current buffer state. Will be BufferController.BUFFER_EMPTY or BufferController.BUFFER_LOADED.
* @public
*/
this.state = _controllersBufferController2['default'].BUFFER_EMPTY;
};
exports['default'] = BufferState;
module.exports = exports['default'];
},{"103":103}],181:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var DVRInfo =
/**
* @description This Object holds reference to DVR availability window information.
*/
function DVRInfo() {
_classCallCheck(this, DVRInfo);
/**
* The current time of the video element when this was created.
* @public
*/
this.time = null;
/**
* The current Segment Availability Range as an object with start and end properties.
* It's delta defined by the timeShiftBufferDepth MPD attribute.
* @public
*/
this.range = null;
/**
* Reference to the internal ManifestInfo.js VO.
* @public
*/
this.manifestInfo = null;
};
exports["default"] = DVRInfo;
module.exports = exports["default"];
},{}],182:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var DroppedFrames =
/**
* @description This Object holds reference to DroppedFrames count and the time it was recorded.
*/
function DroppedFrames() {
_classCallCheck(this, DroppedFrames);
/**
* Real-Time | Time of the measurement of the dropped frames.
* @public
*/
this.time = null;
/**
* Number of dropped frames
* @public
*/
this.droppedFrames = null;
};
exports["default"] = DroppedFrames;
module.exports = exports["default"];
},{}],183:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc This Object holds reference to the HTTPRequest for manifest, fragment and xlink loading.
* Members which are not defined in ISO23009-1 Annex D should be prefixed by a _ so that they are ignored
* by Metrics Reporting code.
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var HTTPRequest =
/**
* @class
*/
function HTTPRequest() {
_classCallCheck(this, HTTPRequest);
/**
* Identifier of the TCP connection on which the HTTP request was sent.
* @public
*/
this.tcpid = null;
/**
* This is an optional parameter and should not be included in HTTP request/response transactions for progressive download.
* The type of the request:
* - MPD
* - XLink expansion
* - Initialization Fragment
* - Index Fragment
* - Media Fragment
* - Bitstream Switching Fragment
* - other
* @public
*/
this.type = null;
/**
* The original URL (before any redirects or failures)
* @public
*/
this.url = null;
/**
* The actual URL requested, if different from above
* @public
*/
this.actualurl = null;
/**
* The contents of the byte-range-spec part of the HTTP Range header.
* @public
*/
this.range = null;
/**
* Real-Time | The real time at which the request was sent.
* @public
*/
this.trequest = null;
/**
* Real-Time | The real time at which the first byte of the response was received.
* @public
*/
this.tresponse = null;
/**
* The HTTP response code.
* @public
*/
this.responsecode = null;
/**
* The duration of the throughput trace intervals (ms), for successful requests only.
* @public
*/
this.interval = null;
/**
* Throughput traces, for successful requests only.
* @public
*/
this.trace = [];
/**
* Type of stream ("audio" | "video" etc..)
* @public
*/
this._stream = null;
/**
* Real-Time | The real time at which the request finished.
* @public
*/
this._tfinish = null;
/**
* The duration of the media requests, if available, in milliseconds.
* @public
*/
this._mediaduration = null;
/**
* all the response headers from request.
* @public
*/
this._responseHeaders = null;
/**
* The selected service location for the request. string.
* @public
*/
this._serviceLocation = null;
}
/**
* @classdesc This Object holds reference to the progress of the HTTPRequest.
*/
;
var HTTPRequestTrace =
/**
* @class
*/
function HTTPRequestTrace() {
_classCallCheck(this, HTTPRequestTrace);
/**
* Real-Time | Measurement stream start.
* @public
*/
this.s = null;
/**
* Measurement stream duration (ms).
* @public
*/
this.d = null;
/**
* List of integers counting the bytes received in each trace interval within the measurement stream.
* @public
*/
this.b = [];
};
HTTPRequest.GET = 'GET';
HTTPRequest.HEAD = 'HEAD';
HTTPRequest.MPD_TYPE = 'MPD';
HTTPRequest.XLINK_EXPANSION_TYPE = 'XLinkExpansion';
HTTPRequest.INIT_SEGMENT_TYPE = 'InitializationSegment';
HTTPRequest.INDEX_SEGMENT_TYPE = 'IndexSegment';
HTTPRequest.MEDIA_SEGMENT_TYPE = 'MediaSegment';
HTTPRequest.BITSTREAM_SWITCHING_SEGMENT_TYPE = 'BitstreamSwitchingSegment';
HTTPRequest.OTHER_TYPE = 'other';
exports.HTTPRequest = HTTPRequest;
exports.HTTPRequestTrace = HTTPRequestTrace;
},{}],184:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc This Object holds reference to the manifest update information.
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var ManifestUpdate =
/**
* @class
*/
function ManifestUpdate() {
_classCallCheck(this, ManifestUpdate);
/**
* Media Type Video | Audio | FragmentedText
* @public
*/
this.mediaType = null;
/**
* MPD Type static | dynamic
* @public
*/
this.type = null;
/**
* When this manifest update was requested
* @public
*/
this.requestTime = null;
/**
* When this manifest update was received
* @public
*/
this.fetchTime = null;
/**
* Calculated Availability Start time of the stream.
* @public
*/
this.availabilityStartTime = null;
/**
* the seek point (liveEdge for dynamic, Stream[0].startTime for static)
* @public
*/
this.presentationStartTime = 0;
/**
* The calculated difference between the server and client wall clock time
* @public
*/
this.clientTimeOffset = 0;
/**
* Actual element.currentTime
* @public
*/
this.currentTime = null;
/**
* Actual element.ranges
* @public
*/
this.buffered = null;
/**
* Static is fixed value of zero. dynamic should be ((Now-@availabilityStartTime) - elementCurrentTime)
* @public
*/
this.latency = 0;
/**
* Array holding list of StreamInfo VO Objects
* @public
*/
this.streamInfo = [];
/**
* Array holding list of RepresentationInfo VO Objects
* @public
*/
this.representationInfo = [];
}
/**
* @classdesc This Object holds reference to the current period's stream information when the manifest was updated.
*/
;
var ManifestUpdateStreamInfo =
/**
* @class
*/
function ManifestUpdateStreamInfo() {
_classCallCheck(this, ManifestUpdateStreamInfo);
/**
* Stream@id
* @public
*/
this.id = null;
/**
* Period Index
* @public
*/
this.index = null;
/**
* Stream@start
* @public
*/
this.start = null;
/**
* Stream@duration
* @public
*/
this.duration = null;
}
/**
* @classdesc This Object holds reference to the current representation's info when the manifest was updated.
*/
;
var ManifestUpdateRepresentationInfo =
/**
* @class
*/
function ManifestUpdateRepresentationInfo() {
_classCallCheck(this, ManifestUpdateRepresentationInfo);
/**
* Track@id
* @public
*/
this.id = null;
/**
* Representation Index
* @public
*/
this.index = null;
/**
* Media Type Video | Audio | FragmentedText
* @public
*/
this.mediaType = null;
/**
* Which representation
* @public
*/
this.streamIndex = null;
/**
* Holds reference to @presentationTimeOffset
* @public
*/
this.presentationTimeOffset = null;
/**
* Holds reference to @startNumber
* @public
*/
this.startNumber = null;
/**
* list|template|timeline
* @public
*/
this.fragmentInfoType = null;
};
exports.ManifestUpdate = ManifestUpdate;
exports.ManifestUpdateStreamInfo = ManifestUpdateStreamInfo;
exports.ManifestUpdateRepresentationInfo = ManifestUpdateRepresentationInfo;
},{}],185:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @classdesc a PlayList from ISO23009-1 Annex D, this Object holds reference to the playback session information
*/
'use strict';
Object.defineProperty(exports, '__esModule', {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError('Cannot call a class as a function'); } }
var PlayList =
/**
* @class
*/
function PlayList() {
_classCallCheck(this, PlayList);
/**
* Timestamp of the user action that starts the playback stream...
* @public
*/
this.start = null;
/**
* Presentation time at which playout was requested by the user...
* @public
*/
this.mstart = null;
/**
* Type of user action which triggered playout
* - New playout request (e.g. initial playout or seeking)
* - Resume from pause
* - Other user request (e.g. user-requested quality change)
* - Start of a metrics collection stream (hence earlier entries in the play list not collected)
* @public
*/
this.starttype = null;
/**
* List of streams of continuous rendering of decoded samples.
* @public
*/
this.trace = [];
}
/* Public Static Constants */
;
PlayList.INITIAL_PLAYOUT_START_REASON = 'initial_playout';
PlayList.SEEK_START_REASON = 'seek';
PlayList.RESUME_FROM_PAUSE_START_REASON = 'resume';
PlayList.METRICS_COLLECTION_START_REASON = 'metrics_collection_start';
/**
* @classdesc a PlayList.Trace from ISO23009-1 Annex D
*/
var PlayListTrace =
/**
* @class
*/
function PlayListTrace() {
_classCallCheck(this, PlayListTrace);
/**
* The value of the Representation@id of the Representation from which the samples were taken.
* @type {string}
* @public
*/
this.representationid = null;
/**
* If not present, this metrics concerns the Representation as a whole.
* If present, subreplevel indicates the greatest value of any
* Subrepresentation@level being rendered.
* @type {number}
* @public
*/
this.subreplevel = null;
/**
* The time at which the first sample was rendered
* @type {number}
* @public
*/
this.start = null;
/**
* The presentation time of the first sample rendered.
* @type {number}
* @public
*/
this.mstart = null;
/**
* The duration of the continuously presented samples (which is the same in real time and media time). "Continuously presented" means that the media clock continued to advance at the playout speed throughout the interval. NOTE: the spec does not call out the units, but all other durations etc are in ms, and we use ms too.
* @type {number}
* @public
*/
this.duration = null;
/**
* The playback speed relative to normal playback speed (i.e.normal forward playback speed is 1.0).
* @type {number}
* @public
*/
this.playbackspeed = null;
/**
* The reason why continuous presentation of this Representation was stopped.
* representation switch
* rebuffering
* user request
* end of Period
* end of Stream
* end of content
* end of a metrics collection period
*
* @type {string}
* @public
*/
this.stopreason = null;
};
PlayListTrace.REPRESENTATION_SWITCH_STOP_REASON = 'representation_switch';
PlayListTrace.REBUFFERING_REASON = 'rebuffering';
PlayListTrace.USER_REQUEST_STOP_REASON = 'user_request';
PlayListTrace.END_OF_PERIOD_STOP_REASON = 'end_of_period';
PlayListTrace.END_OF_CONTENT_STOP_REASON = 'end_of_content';
PlayListTrace.METRICS_COLLECTION_STOP_REASON = 'metrics_collection_end';
PlayListTrace.FAILURE_STOP_REASON = 'failure';
exports.PlayList = PlayList;
exports.PlayListTrace = PlayListTrace;
},{}],186:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var RepresentationSwitch =
/**
* @description This Object holds reference to the info at quality switch between two representations.
*/
function RepresentationSwitch() {
_classCallCheck(this, RepresentationSwitch);
/**
* Time of the switch event.
* @public
*/
this.t = null;
/**
* The media presentation time of the earliest access unit
* (out of all media content components) played out from
* the Representation.
*
* @public
*/
this.mt = null;
/**
* Value of Representation@id identifying the switch-to Representation.
* @public
*/
this.to = null;
/**
* If not present, this metrics concerns the Representation as a whole.
* If present, lto indicates the value of SubRepresentation@level within
* Representation identifying the switch-to level of the Representation.
*
* @public
*/
this.lto = null;
};
exports["default"] = RepresentationSwitch;
module.exports = exports["default"];
},{}],187:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var RequestsQueue =
/**
* @description This Object holds reference to Fragment Model's request queues
*/
function RequestsQueue() {
_classCallCheck(this, RequestsQueue);
/**
* Array of all of the requests that have begun to load
* This request may not make it into the executed queue if it is abandon due to ABR rules for example.
* @public
*/
this.loadingRequests = [];
/**
* Array of the The requests that have completed
* @public
*/
this.executedRequests = [];
};
exports["default"] = RequestsQueue;
module.exports = exports["default"];
},{}],188:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var SchedulingInfo =
/**
* @description This Object holds reference to the index handling of the current fragment being loaded or executed.
*/
function SchedulingInfo() {
_classCallCheck(this, SchedulingInfo);
/**
* Type of stream Audio | Video | FragmentedText
* @public
*/
this.mediaType = null;
/**
* Time of the scheduling event.
* @public
*/
this.t = null;
/**
* Type of fragment (initialization | media)
* @public
*/
this.type = null;
/**
* Presentation start time of fragment
* @public
*/
this.startTime = null;
/**
* Availability start time of fragment
* @public
*/
this.availabilityStartTime = null;
/**
* Duration of fragment
* @public
*/
this.duration = null;
/**
* Bit Rate Quality of fragment
* @public
*/
this.quality = null;
/**
* Range of fragment
* @public
*/
this.range = null;
/**
* Current state of fragment
* @public
*/
this.state = null;
};
exports["default"] = SchedulingInfo;
module.exports = exports["default"];
},{}],189:[function(_dereq_,module,exports){
/**
* The copyright in this software is being made available under the BSD License,
* included below. This software may be subject to other third party and contributor
* rights, including patent rights, and no such rights are granted under this license.
*
* Copyright (c) 2013, Dash Industry Forum.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
* * Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation and/or
* other materials provided with the distribution.
* * Neither the name of Dash Industry Forum nor the names of its
* contributors may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY
* EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
* NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
* PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
* WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*/
/**
* @class
*/
"use strict";
Object.defineProperty(exports, "__esModule", {
value: true
});
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
var TCPConnection =
/**
* @description This Object holds reference to the current tcp connection
*/
function TCPConnection() {
_classCallCheck(this, TCPConnection);
/**
* Identifier of the TCP connection on which the HTTP request was sent.
* @public
*/
this.tcpid = null;
/**
* IP Address of the interface over which the client is receiving the TCP data.
* @public
*/
this.dest = null;
/**
* Real-Time | The time at which the connection was opened (sending time of the initial SYN or connect socket operation).
* @public
*/
this.topen = null;
/**
* Real-Time | The time at which the connection was closed (sending or reception time of FIN or RST or close socket operation).
* @public
*/
this.tclose = null;
/**
* Connect time in ms (time from sending the initial SYN to receiving the ACK or completion of the connect socket operation).
* @public
*/
this.tconnect = null;
};
exports["default"] = TCPConnection;
module.exports = exports["default"];
},{}]},{},[4])
//# sourceMappingURL=dash.mediaplayer.debug.js.map