code
stringlengths 2
1.05M
| repo_name
stringlengths 5
114
| path
stringlengths 4
991
| language
stringclasses 1
value | license
stringclasses 15
values | size
int32 2
1.05M
|
---|---|---|---|---|---|
(function() {
'use strict;';
var JaxObjectBaseClass, JaxRequest, JaxResponse, JaxResponseContainer,
indexOf = [].indexOf || function(item) { for (var i = 0, l = this.length; i < l; i++) { if (i in this && this[i] === item) return i; } return -1; };
(typeof JAX !== "undefined" && JAX !== null) || (function() {
throw new Error('JaxBase requires the JAX library. (github.com/chrism-dp/jquery-jax)');
})();
/*
Jax Request
*/
JaxRequest = (function() {
function JaxRequest(config) {
this._config = config;
this._payload = [];
this.autoconf();
this.setEndpoint();
}
JaxRequest.prototype.autoconf = function() {
var brand, config, environment, gifnoc, host, j, len1, locale, ref;
this._protocol = 'https:';
this._brand = 'example';
this._locale = 'example';
this._environment = 'production';
if (typeof location !== "undefined" && location !== null) {
host = location.hostname === '' ? 'prod.example.com' : location.hostname;
gifnoc = {};
config = com.doubleprime.jax.config;
for (brand in config) {
for (locale in config[brand]) {
ref = ['development', 'test', 'production'];
for (j = 0, len1 = ref.length; j < len1; j++) {
environment = ref[j];
gifnoc[config[brand][locale][environment]] = {
brand: brand,
locale: locale,
environment: environment
};
}
}
}
if (gifnoc[host]) {
this._brand = gifnoc[host].brand;
this._locale = gifnoc[host].locale;
this._environment = gifnoc[host].environment;
}
}
};
JaxRequest.prototype.setPayload = function(api, payload) {
var _payload;
_payload = {
'method': api,
'params': []
};
payload && _payload.params.push(payload);
this._payload.push(_payload);
return this;
};
JaxRequest.prototype.getPayload = function() {
return this._payload;
};
JaxRequest.prototype.setEndpoint = function(brand, locale, environment) {
var domain, path, proto;
switch (environment) {
case 'prod':
environment = 'production';
break;
case 'dev':
environment = 'development';
}
if ('undefined' !== typeof brand) {
this._brand = brand.toLowerCase();
}
if ('undefined' !== typeof locale) {
this._locale = locale.toLowerCase();
}
if ('undefined' !== typeof environment) {
this._environment = environment.toLowerCase();
}
if ('undefined' === typeof this._config[this._brand]) {
throw new Error('Brand not defined: ' + this._brand);
return null;
} else if ('undefined' === typeof this._config[this._brand][this._locale]) {
throw new Error('Locale not defined: ' + this._locale);
return null;
} else {
path = this._config[this._brand][this._locale]['path'];
}
if ('undefined' === typeof this._config[this._brand][this._locale][this._environment]) {
throw new Error('Environment not defined: ' + this._environment);
return null;
} else {
proto = this._protocol;
domain = this._config[this._brand][this._locale][this._environment];
}
this._endpoint = proto + "//" + domain + path;
return this;
};
JaxRequest.prototype.getEndpoint = function() {
return this._endpoint;
};
return JaxRequest;
})();
this.JaxRequest = JaxRequest;
/*
Jax Response Container
*/
JaxResponseContainer = (function() {
function JaxResponseContainer(data, status, responseType) {
var initialize, that;
this.status = status;
this._array = [];
this._responseType = responseType || 'JaxResponse';
that = this;
initialize = function(data) {
var j, len1, pushResult, result;
pushResult = function(result) {
return that._array.push(new this[that._responseType](result, status));
};
if (data) {
for (j = 0, len1 = data.length; j < len1; j++) {
result = data[j];
pushResult(result);
}
} else {
result = new this[that._responseType]({
jsonrpc: '2.0',
error: {
message: 'rpc.no_data',
code: -32000,
data: {
messages: [
{
'text': 'dacs.no.data',
'display_locations': [],
'severity': 'MESSAGE',
'tags': [],
'key': 'rpc.no_data'
}
]
}
}
}, status);
pushResult(result);
}
if (that._array.length === 1) {
return that._array[0];
} else {
return that;
}
};
return initialize(data);
}
JaxResponseContainer.prototype.get = function(idx) {
return this._array[idx];
};
JaxResponseContainer.prototype.getId = function(id) {
var result;
result = jQuery.map(this._array, function(result) {
if (result.id === id) {
return result;
} else {
return null;
}
});
if (result.length) {
return result[0];
} else {
return void 0;
}
};
JaxResponseContainer.prototype.toArray = function() {
return this._array;
};
JaxResponseContainer.prototype.isError = function() {
var j, len1, ref, response, result, testError;
result = false;
testError = function(response) {
if (response.error !== null) {
return result = true;
}
};
ref = this._array;
for (j = 0, len1 = ref.length; j < len1; j++) {
response = ref[j];
testError(response);
}
return result;
};
JaxResponseContainer.prototype.hasError = function(key) {
var j, len1, ref, response, result, testError;
result = false;
testError = function(response) {
if (response.hasError(key)) {
return result = true;
}
};
ref = this._array;
for (j = 0, len1 = ref.length; j < len1; j++) {
response = ref[j];
testError(response);
}
return result;
};
JaxResponseContainer.prototype.matchError = function(regex) {
var addMessages, j, k, len1, len2, matchIf, matches, message, messages, ref, response;
matches = [];
messages = [];
addMessages = function(response) {
var j, len1, message, ref, results;
if (response._messages != null) {
ref = response._messages;
results = [];
for (j = 0, len1 = ref.length; j < len1; j++) {
message = ref[j];
results.push(messages.push(message));
}
return results;
}
};
matchIf = function(message, regex) {
if (message.match(regex)) {
return matches.push(message);
}
};
ref = this._array;
for (j = 0, len1 = ref.length; j < len1; j++) {
response = ref[j];
addMessages(response);
}
for (k = 0, len2 = messages.length; k < len2; k++) {
message = messages[k];
matchIf(message, regex);
}
if (matches.length) {
return matches;
} else {
return false;
}
};
return JaxResponseContainer;
})();
this.JaxResponseContainer = JaxResponseContainer;
/*
Jax Response
*/
JaxResponse = (function() {
function JaxResponse(response, status) {
var j, k, len1, len2, message, ref, ref1, ref2, ref3, ref4, ref5, ref6, ref7, that;
this._response = response;
this.status = status;
this.id = this._response.id;
this._messages = [];
this._messagesText = [];
this._isError = 'object' === typeof ((ref = this._response.error) != null ? ref : false) && !((ref1 = this._response) != null ? (ref2 = ref1.result) != null ? ref2.value : void 0 : void 0);
if (this._isError) {
this.code = this._response.error.code;
this.message = this._response.error.message;
that = this;
if (this._response.error.data.messages !== null) {
ref3 = this._response.error.data.messages;
for (j = 0, len1 = ref3.length; j < len1; j++) {
message = ref3[j];
that._messages.push(message.key);
}
ref4 = this._response.error.data.messages;
for (k = 0, len2 = ref4.length; k < len2; k++) {
message = ref4[k];
that._messagesText.push(message.text);
}
}
} else {
if (((ref5 = this._response.result) != null ? (ref6 = ref5.data) != null ? ref6.tag : void 0 : void 0) != null) {
this.tag = this._response.result.data.tag;
}
if (((ref7 = this._response.result) != null ? ref7.value : void 0) != null) {
this.value = this._response.result.value;
}
}
this;
}
JaxResponse.prototype.matchError = function(regex) {
var j, len1, matchIf, matches, message, ref;
matches = [];
matchIf = function(message, regex) {
if (message.match(regex)) {
return matches.push(message);
}
};
ref = this._messages;
for (j = 0, len1 = ref.length; j < len1; j++) {
message = ref[j];
matchIf(message, regex);
}
if (matches.length) {
return matches;
} else {
return false;
}
};
JaxResponse.prototype.hasError = function(key) {
return -1 !== this._messages.indexOf(key);
};
JaxResponse.prototype.isError = function() {
return this._isError;
};
JaxResponse.prototype.getMessages = function(translated) {
if (translated) {
return this._messagesText;
} else {
return this._messages;
}
};
JaxResponse.prototype.getMessageText = function(key) {
return this._messagesText[this._messages.indexOf(key)];
};
return JaxResponse;
})();
this.JaxResponse = JaxResponse;
/*
Jax Abstract Base Class
*/
JaxObjectBaseClass = (function() {
function JaxObjectBaseClass(config) {
this._config = config;
this;
}
JaxObjectBaseClass.prototype.getResponseType = function() {
return 'JaxResponse';
};
JaxObjectBaseClass.prototype.request = function() {
this._request = new JaxRequest(this._config.get());
return this._request;
};
JaxObjectBaseClass.prototype.prepare = function(request) {
return request.getPayload();
};
JaxObjectBaseClass.prototype.execute = function(request, callbacks) {
var myJax, payload, that, url;
url = request.getEndpoint();
payload = this.prepare(request);
myJax = new JAX(url, payload);
that = this;
return myJax.exe({
success: function(data, status) {
var response;
response = new JaxResponseContainer(data, status, that.getResponseType());
return callbacks && (typeof callbacks.success === "function" ? callbacks.success(response, status) : void 0);
},
error: function(data, status) {
var response;
response = new JaxResponseContainer(data, status, that.getResponseType());
return callbacks && (callbacks != null ? typeof callbacks.error === "function" ? callbacks.error(response, status) : void 0 : void 0);
}
});
};
JaxObjectBaseClass.prototype.serializeObject = function(selector) {
var array, element, object;
element = jQuery(selector);
array = element.serializeArray();
object = {};
jQuery.each(array, function() {
if (object[this.name] !== void 0) {
if (!object[this.name].push) {
object[this.name] = [object[this.name]];
}
object[this.name].push(this.value || '');
} else {
object[this.name] = this.value || '';
}
});
return object;
};
return JaxObjectBaseClass;
})();
JaxObjectBaseClass.prototype.exe = JaxObjectBaseClass.prototype.execute;
this.JaxObjectBaseClass = JaxObjectBaseClass;
if (!String.prototype.trim) {
String.prototype.trim = function() {
return this.replace(/^\s+/, '').replace(/\s+$/, '');
};
}
if (!Array.prototype.indexOf) {
Array.prototype.indexOf = function(elt) {
var from, len;
len = this.length >>> 0;
from = Number(arguments[1]) || 0;
from = from < 0 ? Math.ceil(from) : Math.floor(from);
if (from < 0) {
from += len;
}
while (from < len) {
if (this[from] === elt) {
return from;
}
from++;
}
return -1;
};
}
if (!Array.prototype.forEach) {
Array.prototype.forEach = function(action, that) {
var i, n;
i = 0;
n = this.length;
while (i < n) {
if (indexOf.call(this, i) >= 0) {
action.call(that, this[i], i, this);
}
i++;
}
};
}
if (!Array.prototype.map) {
Array.prototype.map = function(mapper, that) {
var i, n, other;
other = new Array(this.length);
i = 0;
n = this.length;
while (i < n) {
if (indexOf.call(this, i) >= 0) {
other[i] = mapper.call(that, this[i], i, this);
}
i++;
}
return other;
};
}
}).call(this);
|
chrism-dp/jquery-jax
|
lib/jax-base.js
|
JavaScript
|
mit
| 13,668 |
Library.registerHelpers(config.Handlebars);
};
module.exports = handlebarsHelpers;
|
fczuardi/handlebars-helpers-0.6.0-patched
|
src/commonjs/footer.js
|
JavaScript
|
mit
| 87 |
import test from 'tape';
// Dashgrid.
import './demo.css';
import dashGridGlobal from '../dist/dashgrid.js';
// Util.
import {decorateRunAll} from './util.js';
// Tests.
import initGrid from './tests/initGrid.test.js';
import boxAddRemove from './tests/boxAddRemove.test.js';
import boxMove from './tests/boxMove.test.js';
import boxCollisions from './tests/boxCollision.test.js';
import boxResize from './tests/boxResize.test.js';
import gridResize from './tests/gridResize.test.js';
import dragger from './tests/dragger.test.js';
document.addEventListener('DOMContentLoaded', function() {
tests();
});
/** Testing is done feature wise:
* Move / resize box:
* - Inside border edge.
* - Outside border edge.
* - Dragging disabled, globally and box-wise.
* - Collisions.
*
* Insert / remove box:
* - Valid insert.
* - Non-valid insert.
*
* Toggle properties:
* - Initialization.
*/
function tests (){
let t = {
initGrid: () => {initGrid(dashGridGlobal, test)},
boxMove: () => {boxMove(dashGridGlobal, test)},
boxResize: () => {boxResize(dashGridGlobal, test)},
boxAddRemove: () => {boxAddRemove(dashGridGlobal, test)},
boxCollisions: () => {boxCollisions(dashGridGlobal, test)},
// propertyToggle: () => {propertyToggle(dashGridGlobal, test)}
};
decorateRunAll(t, dashGridGlobal, test);
// t.initGrid();
// t.boxMove();
}
|
samiralajmovic/dashgrid
|
specs/test.js
|
JavaScript
|
mit
| 1,472 |
/**
* Created by Baxter on 2016/5/24.
*/
'use strict';
import React, {Component} from 'react';
class StartEndDateTimePicker extends React.Component {
static propTypes = {
startName: React.PropTypes.string,
endName: React.PropTypes.string,
startValue: React.PropTypes.string,
endValue: React.PropTypes.string,
};
static defaultProps = {
startName: '开始时间',
endName: '结束时间',
startValue: '',
endValue: ''
}
constructor(props) {
super(props);
}
render() {
return (
<div className="am-u-sm-12">
<div className="am-alert am-alert-danger" id="my-alert"
style={{display: 'none'}}>
<p>开始日期应小于结束日期!</p>
</div>
<div className="am-g">
<div className="am-u-sm-6">
<button type="button" className="am-btn am-btn-default am-margin-right" id="my-start">
{this.props.startName}
</button>
<input ref="start" className="am-form-field" type="text"
id="my-startDate"
value={this.props.startValue} disabled/>
</div>
<div className="am-u-sm-6">
<button type="button" className="am-btn am-btn-default am-margin-right" id="my-end">
{this.props.endName}
</button>
<input ref="end" className="am-form-field" type="text"
id="my-endDate"
value={this.props.endValue} disabled/>
</div>
</div>
</div>
)
}
getDateTime() {
return {
start: this.refs.start.value,
end: this.refs.end.value
}
}
componentDidMount() {
$(function () {
var startDate = '';
var endDate = '';
var $alert = $('#my-alert');
$('#my-start').datepicker().on('changeDate.datepicker.amui', function (event) {
if (endDate !== '' && event.date.valueOf() > endDate.valueOf()) {
$alert.find('p').text('开始日期应小于结束日期!').end().show();
} else {
$alert.hide();
startDate = new Date(event.date);
$('#my-startDate').val($('#my-start').data('date'));
}
$(this).datepicker('close');
});
$('#my-end').datepicker().on('changeDate.datepicker.amui', function (event) {
if (startDate !== '' && event.date.valueOf() < startDate.valueOf()) {
$alert.find('p').text('结束日期应大于开始日期!').end().show();
} else {
$alert.hide();
endDate = new Date(event.date);
$('#my-endDate').val($('#my-end').data('date'));
}
$(this).datepicker('close');
});
});
}
}
export default StartEndDateTimePicker
|
hengheng0haha/hermes-dashboard
|
src/components/StartEndDateTimePicker.js
|
JavaScript
|
mit
| 2,756 |
import Phaser from 'phaser'
import config from '../../config'
import FTUEData from '../../../assets/data/ftue'
export default class extends Phaser.Group {
constructor ({ game, x, y, data, step=0 }) {
super(game, x, y);
this.game = game;
this.alpha = 1;
this.x = 230;
this.y = config.SAFE_ZONE_HEIGHT - 230;
this.numChecks = data.count || 3;
this.step = step;
this.actionsPerformed = 0;
game.actions.onAction.add(this.onActionPerformed, this);
this.container = game.add.image(0, 40, "ftue_container");
this.container.anchor.set(.5);
this.add(this.container);
var textStyle = {font: "30px yanone_kaffeesatzregular", fill: "#FFFFFF"}
this.text = game.add.text(-160, -25, FTUEData.steps[this.step].text, textStyle);
this.add(this.text);
this.action = game.add.image(0, 65, "ftue_" + FTUEData.steps[this.step].action);
this.action.anchor.set(.5);
this.add(this.action);
this.checkGroup = game.add.group(this, "ftue_check_group");
this.add(this.checkGroup);
this.checkContainer = game.add.graphics(-50,-20);
this.checkContainer.lineStyle(4, 0x318080,1);
this.checkContainer.beginFill(0xFFFFFF, 1);
this.checkContainer.drawRoundedRect(0, 0, this.numChecks * 30+10, 40, 18);
this.checkContainer.endFill();
this.checkGroup.add(this.checkContainer);
this.checks = [];
for(var i=0; i<this.numChecks; i++) {
var check = game.add.image((i-1)*30, 0, "ftue_check");
check.anchor.set(.5);
this.checkGroup.add(check);
this.checks.push(check);
}
this.checkGroup.x = this.container.width/2 - 40;
if(this.numChecks > 3) {
this.checkGroup.x -= (this.numChecks - 3) * 15;
}
this.checkGroup.y = -10;
this.stepGroup = game.add.group(this, "ftue_step_group");
this.add(this.stepGroup);
this.stepContainer = game.add.image(0, 0, "ftue_step_container");
this.stepGroup.add(this.stepContainer);
this.stepSelection = game.add.image(-2 + this.step * 53, -2, "ftue_step_selection");
this.add(this.stepSelection);
this.stepGroup.add(this.stepSelection);
var regStyle = { font: "bold 42px yanone_kaffeesatzregular", fill: "#CCCC99", boundsAlignV: "center" }
var selectStyle = { font: "bold 42px yanone_kaffeesatzregular", fill: "#FFFFFF", boundsAlignV: "center" }
this.stepNums = [];
for(var i=0; i<4; i++) {
var numText = game.add.text(i * 52 + 23, 2, i+1, i==this.step ? selectStyle : regStyle);
this.stepGroup.add(numText);
this.stepNums.push(numText);
}
this.stepGroup.y = -this.container.height/2 - 2;
this.stepGroup.x = -this.container.width/2 + 2;
this.checkSfx = game.add.audio("pleasing_ding");
}
slideIn(pos) {
this.checkGroup.scale.set(0, 0);
game.add.tween(this).to(pos, 500, Phaser.Easing.Cubic.Out, true, 1500).start();
game.add.tween(this.checkGroup.scale).to({x: 1, y: 1}, 400, Phaser.Easing.Elastic.Out, true, 2400).start();
}
slideOut(pos) {
game.add.tween(this.checkGroup.scale).to({x: 0, y: 0}, 400, Phaser.Easing.Cubic.Out, true, 1000).start();
game.add.tween(this).to(pos, 500, Phaser.Easing.Cubic.Out, true, 1800).start();
}
onActionPerformed(action){
if(action.type !== FTUEData.steps[this.step].action)
return;
this.actionsPerformed++;
var check = this.checks[this.actionsPerformed-1];
check.loadTexture("ftue_check_active");
var ping = game.add.image(check.x, check.y, "ftue_check_active");
ping.anchor.set(.5);
this.checkGroup.add(ping);
game.add.tween(ping).to({alpha:0}, 500, Phaser.Easing.Linear.Out).start();
game.add.tween(ping.scale).to({x:5, y:5}, 500, Phaser.Easing.Linear.Out).start();
this.checkSfx.play();
if(this.actionsPerformed === this.numChecks){
this.step++;
game.actions.onAction.remove(this.onActionPerformed, this);
if(this.step < FTUEData.steps.length) {
game.state.getCurrentState().handleWin(true);
} else {
game.state.getCurrentState().handleWin();
}
}
}
onStepLoaded(){
this.actionsPerformed = 0;
this.stepSelection.x = this.step * 60;
this.action.loadTexture("ftue_" + FTUEData.steps[this.step].action);
}
}
|
concord-consortium/geniblocks
|
src/resources/proteingame/src/sprites/common/FTUEDisplay.js
|
JavaScript
|
mit
| 4,808 |
/*
* FancyBox - jQuery Plugin
* simple and fancy lightbox alternative
*
* Copyright (c) 2009 Janis Skarnelis
* Examples and documentation at: http://fancybox.net
*
* Version: 1.2.6 (16/11/2009)
* Requires: jQuery v1.3+
*
* Dual licensed under the MIT and GPL licenses:
* http://www.opensource.org/licenses/mit-license.php
* http://www.gnu.org/licenses/gpl.html
*/
|
mohhasbias/wp-smartphone
|
library/js/zoom/jquery.fancybox-1.2.6.pack.js
|
JavaScript
|
mit
| 385 |
const Request = require('./messages/Request').Request;
const Response = require('./messages/Response').Response;
const PBF = require('pbf');
const responseDecodingBuffer = new Uint8Array(128);
const requestDecodingBuffer = new Uint8Array(128);
module.exports = {
Response: {
decode(buffer) {
const pbf = new PBF(buffer, buffer.length);
return Response.read(pbf);
},
encode(obj) {
const pbf = new PBF(responseDecodingBuffer);
Response.write(obj, pbf);
return new Buffer(pbf.finish());
}
},
Request: {
decode(buffer) {
const pbf = new PBF(buffer);
return Request.read(pbf, buffer.length);
},
encode(obj) {
const pbf = new PBF(requestDecodingBuffer);
Request.write(obj, pbf);
return new Buffer(pbf.finish());
}
}
};
|
limitd/protocol
|
index.js
|
JavaScript
|
mit
| 821 |
'use strict';
Object.defineProperty(exports, "__esModule", {
value: true
});
var _react = require('react');
var _react2 = _interopRequireDefault(_react);
var _reactAddonsPureRenderMixin = require('react-addons-pure-render-mixin');
var _reactAddonsPureRenderMixin2 = _interopRequireDefault(_reactAddonsPureRenderMixin);
var _svgIcon = require('../../svg-icon');
var _svgIcon2 = _interopRequireDefault(_svgIcon);
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
var AvArtTrack = _react2.default.createClass({
displayName: 'AvArtTrack',
mixins: [_reactAddonsPureRenderMixin2.default],
render: function render() {
return _react2.default.createElement(
_svgIcon2.default,
this.props,
_react2.default.createElement('path', { fill: '#010101', d: 'M22 13h-8v-2h8v2zm0-6h-8v2h8V7zm-8 10h8v-2h-8v2zm-2-8v6c0 1.1-.9 2-2 2H4c-1.1 0-2-.9-2-2V9c0-1.1.9-2 2-2h6c1.1 0 2 .9 2 2zm-1.5 6l-2.25-3-1.75 2.26-1.25-1.51L3.5 15h7z' })
);
}
});
exports.default = AvArtTrack;
module.exports = exports['default'];
|
aykutyaman/meteor1.3-react-flowrouter-demo
|
node_modules/material-ui/lib/svg-icons/av/art-track.js
|
JavaScript
|
mit
| 1,082 |
version https://git-lfs.github.com/spec/v1
oid sha256:bcb11f34bef22d78342e05ef35572c8ebba1293a3cc96835a9641bf2c52b4398
size 2524
|
yogeshsaroya/new-cdnjs
|
ajax/libs/uikit/2.17.0/js/core/offcanvas.min.js
|
JavaScript
|
mit
| 129 |
// Separate Numbers with Commas in JavaScript **Pairing Challenge**
// I worked on this challenge with: Aarron Hu.
// Pseudocode:
//Convert number into string.
//split string.
//reverse string.
//Create an empty array.
//add the first 3 characters into the new array,
//remove the fisrt 3 characters from the reversed array.
//then add a comma into the new array.
//move the the next 3 characters into the new array.
//then add a comma into the new array.
//if less than 4 characters, then add the remaining characters in reveresed array.
//reverse the new array
//join the new array
// Initial Solution
function seprateComma(num) {
// var num = 123456789;
num = num.toString().split("").reverse().join("");;
console.log(num)
var revNum = num;
var corNum = [];
//Create a way to take 3 add a comma
corNum.push(revNum.substring(0,3) + ",");
console.log(corNum);
//Remove 3 from reverse number
revNum = (revNum.slice(3));
corNum.push(revNum.substring(0,3) + ",");
console.log(corNum);
revNum = (revNum.slice(3));
//Driver code
console.log(revNum.length)
// If less than 4 do this.
corNum.push(revNum.substring(0,3));
corNum = corNum.join("");
corNum = corNum.split("").reverse();
corNum = corNum.join("")
console.log(corNum)
};
//Driver code
seprateComma(123456789);
// Refactored Solution
function seprateComma(num) {
var revNum = num.toString().split("").reverse().join("");
var corNum = [];
for ( ; revNum.length >= 4;){
corNum.push(revNum.substring(0,3) + ",");
revNum = (revNum.slice(3));
}
corNum.push(revNum.substring());
console.log(corNum.join("").split("").reverse().join(""));
};
seprateComma(1223333333333333339);
// Your Own Tests (OPTIONAL)
// Reflection
// What was it like to approach the problem from the perspective of JavaScript? Did you approach the problem differently?
// It was very challenging with finding what methods will work in JavaScript. Ruby-docs was a great resource and w3schools.org and the mozilla developer network helped, but It wasn't as resourcful as ruby-docs was for ruby. I was about to convert the integer into a string, reverse it, split it, and join it like I did in ruby, which was very similar, it was just a matter of syntax. Our initial solution we focused on translating code and then we had to look at iteration methods, the only thing I was able to do was a FOR loop to iterate through the array I created. My approch was to focus on psuedocode and the rest was a matter of translating into syntax and test, which was the difficult part.
// What did you learn about iterating over arrays in JavaScript?
// After this challenge I have a better understanding of loops, especially the DO loop, I guess I missed the part in Ruby that DO loops execute once, then checks the condition before determining to loop again. And I aslo learned that if I do not have a start and end point for the loop that I should use the WHILE loop, otherwise I could use a FOR loop. And Also a better understanding of how counters work for iterating arrays.
// What was different about solving this problem in JavaScript?
// How to iterate, yes in ruby I am able to use a loop to iterate, but I am more familiar with built-in methods to iterate for me. So to me this challenge was more like, "the shortcut way is not going to work, now how do I use the basics to do the same thing?" type situation for me.
// What built-in methods did you find to incorporate in your refactored solution?
// toString, join, split, reverse, length, slice, push, and substring. They are pretty much like ruby, it was just a matter of syntax to get it working. I haven't found a built-in method to iterate at the moment though. So if anyone has one, I would love to know so I can play with it.
|
schaui6/phase-0
|
week-7/nums_commas.js
|
JavaScript
|
mit
| 3,775 |
const async = require('async');
const crypto = require('crypto');
const nodemailer = require('nodemailer');
const passport = require('passport');
const User = require('../models/User');
/**
* GET /login
* Login page.
*/
exports.getLogin = (req, res) => {
if (req.user) {
return res.redirect('/');
}
res.render('account/login', {
title: 'Login'
});
};
/**
* POST /login
* Sign in using email and password.
*/
exports.postLogin = (req, res, next) => {
req.assert('email', 'Email is not valid').isEmail();
req.assert('password', 'Password cannot be blank').notEmpty();
req.sanitize('email').normalizeEmail({ remove_dots: false });
const errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/login');
}
passport.authenticate('local', (err, user, info) => {
if (err) { return next(err); }
if (!user) {
req.flash('errors', info);
return res.redirect('/login');
}
req.logIn(user, (err) => {
if (err) { return next(err); }
req.flash('success', { msg: 'Success! You are logged in.' });
res.redirect(req.session.returnTo || '/');
});
})(req, res, next);
};
/**
* GET /logout
* Log out.
*/
exports.logout = (req, res) => {
req.logout();
res.redirect('/');
};
/**
* GET /signup
* Signup page.
*/
exports.getSignup = (req, res) => {
if (req.user) {
return res.redirect('/');
}
res.render('account/signup', {
title: 'Create Account'
});
};
/**
* POST /signup
* Create a new local account.
*/
exports.postSignup = (req, res, next) => {
req.assert('email', 'Email is not valid').isEmail();
req.assert('password', 'Password must be at least 4 characters long').len(4);
req.assert('confirmPassword', 'Passwords do not match').equals(req.body.password);
req.sanitize('email').normalizeEmail({ remove_dots: false });
req.assert('userLevel', 'Cannot be blank').notEmpty();
const errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/signup');
}
const user = new User({
email: req.body.email,
password: req.body.password,
userLevel: req.body.userLevel
});
User.findOne({ email: req.body.email }, (err, existingUser) => {
if (err) { return next(err); }
if (existingUser) {
req.flash('errors', { msg: 'Account with that email address already exists.' });
return res.redirect('/signup');
}
user.save((err) => {
if (err) { return next(err); }
req.logIn(user, (err) => {
if (err) {
return next(err);
}
res.redirect('/');
});
});
});
};
/**
* GET /account
* Profile page.
*/
exports.getAccount = (req, res) => {
res.render('account/profile', {
title: 'Account Management'
});
};
/**
* POST /account/profile
* Update profile information.
*/
exports.postUpdateProfile = (req, res, next) => {
req.assert('email', 'Please enter a valid email address.').isEmail();
req.sanitize('email').normalizeEmail({ remove_dots: false });
const errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/account');
}
User.findById(req.user.id, (err, user) => {
if (err) { return next(err); }
user.email = req.body.email || '';
user.profile.name = req.body.name || '';
user.profile.gender = req.body.gender || '';
user.profile.location = req.body.location || '';
user.profile.website = req.body.website || '';
user.save((err) => {
if (err) {
if (err.code === 11000) {
req.flash('errors', { msg: 'The email address you have entered is already associated with an account.' });
return res.redirect('/account');
}
return next(err);
}
req.flash('success', { msg: 'Profile information has been updated.' });
res.redirect('/account');
});
});
};
/**
* POST /account/password
* Update current password.
*/
exports.postUpdatePassword = (req, res, next) => {
req.assert('password', 'Password must be at least 4 characters long').len(4);
req.assert('confirmPassword', 'Passwords do not match').equals(req.body.password);
const errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/account');
}
User.findById(req.user.id, (err, user) => {
if (err) { return next(err); }
user.password = req.body.password;
user.save((err) => {
if (err) { return next(err); }
req.flash('success', { msg: 'Password has been changed.' });
res.redirect('/account');
});
});
};
/**
* POST /account/delete
* Delete user account.
*/
exports.postDeleteAccount = (req, res, next) => {
User.remove({ _id: req.user.id }, (err) => {
if (err) { return next(err); }
req.logout();
req.flash('info', { msg: 'Your account has been deleted.' });
res.redirect('/');
});
};
/**
* GET /account/unlink/:provider
* Unlink OAuth provider.
*/
exports.getOauthUnlink = (req, res, next) => {
const provider = req.params.provider;
User.findById(req.user.id, (err, user) => {
if (err) { return next(err); }
user[provider] = undefined;
user.tokens = user.tokens.filter(token => token.kind !== provider);
user.save((err) => {
if (err) { return next(err); }
req.flash('info', { msg: `${provider} account has been unlinked.` });
res.redirect('/account');
});
});
};
/**
* GET /reset/:token
* Reset Password page.
*/
exports.getReset = (req, res, next) => {
if (req.isAuthenticated()) {
return res.redirect('/');
}
User
.findOne({ passwordResetToken: req.params.token })
.where('passwordResetExpires').gt(Date.now())
.exec((err, user) => {
if (err) { return next(err); }
if (!user) {
req.flash('errors', { msg: 'Password reset token is invalid or has expired.' });
return res.redirect('/forgot');
}
res.render('account/reset', {
title: 'Password Reset'
});
});
};
/**
* POST /reset/:token
* Process the reset password request.
*/
exports.postReset = (req, res, next) => {
req.assert('password', 'Password must be at least 4 characters long.').len(4);
req.assert('confirm', 'Passwords must match.').equals(req.body.password);
const errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('back');
}
async.waterfall([
function resetPassword(done) {
User
.findOne({ passwordResetToken: req.params.token })
.where('passwordResetExpires').gt(Date.now())
.exec((err, user) => {
if (err) { return next(err); }
if (!user) {
req.flash('errors', { msg: 'Password reset token is invalid or has expired.' });
return res.redirect('back');
}
user.password = req.body.password;
user.passwordResetToken = undefined;
user.passwordResetExpires = undefined;
user.save((err) => {
if (err) { return next(err); }
req.logIn(user, (err) => {
done(err, user);
});
});
});
},
function sendResetPasswordEmail(user, done) {
const transporter = nodemailer.createTransport({
service: 'SendGrid',
auth: {
user: process.env.SENDGRID_USER,
pass: process.env.SENDGRID_PASSWORD
}
});
const mailOptions = {
to: user.email,
from: 'hackathon@starter.com',
subject: 'Your Hackathon Starter password has been changed',
text: `Hello,\n\nThis is a confirmation that the password for your account ${user.email} has just been changed.\n`
};
transporter.sendMail(mailOptions, (err) => {
req.flash('success', { msg: 'Success! Your password has been changed.' });
done(err);
});
}
], (err) => {
if (err) { return next(err); }
res.redirect('/');
});
};
/**
* GET /forgot
* Forgot Password page.
*/
exports.getForgot = (req, res) => {
if (req.isAuthenticated()) {
return res.redirect('/');
}
res.render('account/forgot', {
title: 'Forgot Password'
});
};
/**
* POST /forgot
* Create a random token, then the send user an email with a reset link.
*/
exports.postForgot = (req, res, next) => {
req.assert('email', 'Please enter a valid email address.').isEmail();
req.sanitize('email').normalizeEmail({ remove_dots: false });
const errors = req.validationErrors();
if (errors) {
req.flash('errors', errors);
return res.redirect('/forgot');
}
async.waterfall([
function createRandomToken(done) {
crypto.randomBytes(16, (err, buf) => {
const token = buf.toString('hex');
done(err, token);
});
},
function setRandomToken(token, done) {
User.findOne({ email: req.body.email }, (err, user) => {
if (err) { return done(err); }
if (!user) {
req.flash('errors', { msg: 'Account with that email address does not exist.' });
return res.redirect('/forgot');
}
user.passwordResetToken = token;
user.passwordResetExpires = Date.now() + 3600000; // 1 hour
user.save((err) => {
done(err, token, user);
});
});
},
function sendForgotPasswordEmail(token, user, done) {
const transporter = nodemailer.createTransport({
service: 'SendGrid',
auth: {
user: process.env.SENDGRID_USER,
pass: process.env.SENDGRID_PASSWORD
}
});
const mailOptions = {
to: user.email,
from: 'hackathon@starter.com',
subject: 'Reset your password on Hackathon Starter',
text: `You are receiving this email because you (or someone else) have requested the reset of the password for your account.\n\n
Please click on the following link, or paste this into your browser to complete the process:\n\n
http://${req.headers.host}/reset/${token}\n\n
If you did not request this, please ignore this email and your password will remain unchanged.\n`
};
transporter.sendMail(mailOptions, (err) => {
req.flash('info', { msg: `An e-mail has been sent to ${user.email} with further instructions.` });
done(err);
});
}
], (err) => {
if (err) { return next(err); }
res.redirect('/forgot');
});
};
|
akrv/uniArt
|
controllers/user.js
|
JavaScript
|
mit
| 10,458 |
import { ValidationRules } from 'aurelia-validation';
export function setupCustomValidationRules() {
const integerRangeMessage = `\${$displayName} must be an integer between \${$config.min} and \${$config.max}.`;
const integerRangeRule = (value, obj, min, max) => {
return value === null || value === undefined
|| Number.isInteger(parseInt(value)) && parseInt(value) >= min && parseInt(value) <= max;
};
const otherThanMessage = `\${$displayName} must be selected.`;
const otherThanRule = (value, obj, str, isOptional = false) => {
const satisfiesRule = value !== null &&
value !== undefined &&
value !== '' &&
value !== str;
return isOptional ? true : satisfiesRule;
};
ValidationRules.customRule(
'integerRange',
integerRangeRule,
integerRangeMessage,
(min, max) => ({ min, max })
);
ValidationRules.customRule(
'otherThan',
otherThanRule,
otherThanMessage
);
}
|
web-innovate/leave-tracking
|
frontend/src/components/validation/custom-rules.js
|
JavaScript
|
mit
| 1,037 |
module.exports = function(options, imports, register) {
var mongoose = require('mongoose');
mongoose.connect('mongodb://localhost/StrawberryCupcake');
var db = mongoose.connection;
db.on('error', console.error.bind(console, 'connection error:'));
console.log('DB started');
db.once('open', function (callback) {
register(null, {
"db": mongoose
})
});
}
|
Sryther/Node-StrawberryCupcake
|
src/plugins/db/db.js
|
JavaScript
|
mit
| 406 |
define( ["three"], function( THREE ) {
var helper = new THREE.PerspectiveCamera( 70, 1, 1, 5000 );
var front = new THREE.Vector3(0, 0, -1);
var up = new THREE.Vector3(0, 1, 0);
var right = new THREE.Vector3(1, 0, 0);
helper.getFront = function ()
{
return front.clone().applyQuaternion(helper.quaternion);
}
helper.getUp = function ()
{
return up.clone().applyQuaternion(helper.quaternion);
}
helper.getRight = function ()
{
return right.clone().applyQuaternion(helper.quaternion);
}
return helper;
} );
|
leon196/WJ
|
ThreeJS/js/app/helper.js
|
JavaScript
|
mit
| 545 |
(function (module) {
"use strict";
module.factory('shopService', shopService);
shopService.$inject = ['$q', '$http'];
function shopService($q, $http){
return{
getShopData: getShopData
}
function getShopData(){
var deferred = $q.defer();
$http({
url: 'http://127.0.0.1:9090/home',
method: 'GET'
})
.then(function(response){
deferred.resolve(response.data);
}, function(error){
deferred.reject(error);
});
return deferred.promise;
}
}
})(angular.module('sc'));
|
blambodhar/shoppingcart
|
app/js/sc.shopservice.js
|
JavaScript
|
mit
| 698 |
(function(){
angular.module("eat.components.group.fast", [
])
.constant("constants",{
"HTML_INPUT_TYPES":"button checkbox color date datetime datetime-local email file hidden image month number password radio range reset search submit tel text time url week",
"ATTRS_TO_SKIP":"label help input"
})
.directive("eatGroupFast", eatGroupFast)
;
eatGroupFast.$inject=["constants"];
function eatGroupFast(constants){
return {
restrict: 'E',
compile: compile
}
function compile(element, attrs) {
var eatGroup = angular.element("<eat-group/>");
//creating the label
var label = angular.element("<label>");
label.html(attrs.label);
eatGroup.append(label);
//creating the input
var input;
var isInput = false;
if(constants.HTML_INPUT_TYPES.indexOf(attrs.input) > -1){
input = angular.element("<input/>");
input.attr("type", attrs.input);
}else {
input = angular.element("<"+attrs.input+"/>");
}
var _attrs=attrs;
angular.forEach(attrs.$attr, function(key){
element.removeAttr(key);
if(constants.ATTRS_TO_SKIP.indexOf(key) == -1){
input.attr(key,_attrs[_attrs.$normalize(key)]);
}
});
eatGroup.append(input);
//creating the help
var help = angular.element("<eat-help/>");
help.html(attrs.help);
eatGroup.append(help);
//creating the validation message directive
var messages = angular.element("<eat-messages/>");
eatGroup.append(messages);
//adding the group to the element
element.append(eatGroup);
//removing fast-group from the DOM ...mmm not working!
//element.replaceWith(eatGroup);
}
}
})();
|
sosergio/angular-eat
|
src/components/group/fast.js
|
JavaScript
|
mit
| 2,164 |
'use strict';
// usage: node get-token.js username password
var username = process.argv[2];
var password = process.argv[3];
var env = require('./config/env.json');
var config = require('./config/config-' + env.deployment + '.json');
var url = config.services.login.url;
var auth = require('./lib/auth').make({url: url, timeout: 10000});
var token = auth.getToken(username, password)
.then(function (token) {
var out = {
token: token
};
process.stdout.write(JSON.stringify(out, null, 4));
});
|
nconrad/kb-ftp-api
|
get-token.js
|
JavaScript
|
mit
| 543 |
var rbacModel = require('../models/rbac.js');
exports.getRoles = function(req, res) {
/*
var rolesData = [
{name: 'admin'},
{name: 'reader'}
];
*/
rbacModel.Role.find().select('name description').exec(function(err, roles) {
rbacModel.Priv.find().select('name').exec(function(err, privs) {
res.json({"roles": roles, "privs": privs});
});
});
};
exports.createRole = function(req, res) {
var roleObj = new rbacModel.Role();
roleObj.name = req.body.name;
roleObj.description = req.body.description;
for(var i in req.body.privs) {
roleObj.privs.push(req.body.privs[i]._id);
}
roleObj.save(function(err, role) {
if(err)
res.json(500, err);
else
res.json(role);
});
};
exports.deleteRole = function(req, res) {
console.log(req.params.role_name);
rbacModel.Role.remove({name: req.params.role_name}, function(err) {
if(err)
res.json(500, err);
else
res.json({'flash' : 'Deleted role'});
});
};
exports.getPrivs = function(req, res) {
rbacModel.Priv.find().select('name description').exec(function(err, privs) {
res.json(privs);
});
};
exports.createPriv = function(req, res) {
};
exports.deletePriv = function(req, res) {
};
|
ashishdshah/angular_auth
|
app/rbac/rbac.js
|
JavaScript
|
mit
| 1,180 |
/**
* Transform a raw grouping into a spec-grouping.
* @param {!gpub.opts.RawGrouping} ingp
* @param {!gpub.spec.IdGen} idGen
* @return {!gpub.spec.Grouping} processed group
*/
gpub.spec.preprocessGrouping = function(ingp, idGen) {
if (!ingp) {
throw new Error('Grouping was undefined');
}
var newgp = new gpub.spec.Grouping();
if (ingp.description) {
newgp.description = ingp.description
}
if (ingp.title) {
newgp.title = ingp.title
}
if (ingp.positionType) {
var ptype = gpub.spec.PositionType[ingp.positionType];
if (!ptype) {
throw new Error('Provided position type ' + ingp.positionType +
' was unknown position type: ' + ptype);
}
newgp.positionType = ptype;
}
if (ingp.positions) {
for (var i = 0; i < ingp.positions.length; i++) {
newgp.positions.push(
gpub.spec.preprocessPosition(ingp.positions[i], idGen));
}
}
if (ingp.groupings) {
for (var i = 0; i < ingp.groupings.length; i++) {
newgp.groupings.push(
gpub.spec.preprocessGrouping(ingp.groupings[i], idGen));
}
}
return newgp;
};
/**
* Preprocess a single raw-position and does parameter validation.
* @param {!string|gpub.opts.RawPosition} rawPos
* @param {!gpub.spec.IdGen} idGen
* @return {!gpub.spec.Position}
*/
gpub.spec.preprocessPosition = function(rawPos, idGen) {
var rawPosObj = /** @type {!gpub.opts.RawPosition} */ ({});
var posOpt = /** @type {gpub.spec.PositionTypedef} */ ({});
var gameId = '';
if (typeof rawPos === 'string') {
gameId = /** @type {string} */ (rawPos);
} else if (typeof rawPos === 'object') {
rawPosObj = /** @type {!gpub.opts.RawPosition} */ (rawPos);
gameId = rawPosObj.gameId;
} else {
throw new Error('Bad type for grouping. ' +
'Expected object or string but was: ' + typeof rawPos);
}
if (!gameId) {
throw new Error('Game (SGF) identifier (gameId) ' +
'must be defined. Was: ' + gameId);
}
posOpt.gameId = gameId;
var initPosStr = undefined;
if (rawPos.initialPosition) {
initPosStr = rawPos.initialPosition;
var path = glift.rules.treepath.parseInitialPath(initPosStr);
initPosStr = glift.rules.treepath.toInitPathString(path);
}
posOpt.initialPosition = initPosStr;
var nextMovesStr = undefined;
if (rawPos.nextMovesPath) {
nextMovesStr = rawPos.nextMovesPath;
var path = glift.rules.treepath.parseFragment(nextMovesStr);
nextMovesStr = glift.rules.treepath.toFragmentString(path);
}
posOpt.nextMovesPath = nextMovesStr;
var id = rawPosObj.id;
if (!id) {
id = idGen.next(gameId, initPosStr, nextMovesStr);
}
posOpt.id = id;
if (rawPosObj.positionType) {
var ptype = gpub.spec.PositionType[rawPosObj.positionType];
if (!ptype) {
throw new Error('Provided position type ' + rawPos.positionType +
' was unknown position type: ' + ptype);
}
posOpt.positionType = ptype;
}
return new gpub.spec.Position(posOpt);
};
|
Kashomon/gpub
|
src/spec/preprocess.js
|
JavaScript
|
mit
| 2,999 |
// Generated by CoffeeScript 1.12.2
(function() {
var Search, _, api;
api = require('./api');
_ = require('lodash');
Search = (function() {
function Search() {
this.query_hash = {
sort_by: [],
aggregate: [],
with_field: []
};
}
Search.instance = function() {
return new Search;
};
Search.expression = function(value) {
return this.instance().expression(value);
};
Search.max_results = function(value) {
return this.instance().max_results(value);
};
Search.next_cursor = function(value) {
return this.instance().next_cursor(value);
};
Search.aggregate = function(value) {
return this.instance().aggregate(value);
};
Search.with_field = function(value) {
return this.instance().with_field(value);
};
Search.sort_by = function(field_name, dir) {
if (dir == null) {
dir = 'asc';
}
return this.instance().sort_by(field_name, dir);
};
Search.prototype.expression = function(value) {
this.query_hash.expression = value;
return this;
};
Search.prototype.max_results = function(value) {
this.query_hash.max_results = value;
return this;
};
Search.prototype.next_cursor = function(value) {
this.query_hash.next_cursor = value;
return this;
};
Search.prototype.aggregate = function(value) {
this.query_hash.aggregate.push(value);
return this;
};
Search.prototype.with_field = function(value) {
this.query_hash.with_field.push(value);
return this;
};
Search.prototype.sort_by = function(field_name, dir) {
var sort_bucket;
if (dir == null) {
dir = "desc";
}
sort_bucket = {};
sort_bucket[field_name] = dir;
this.query_hash.sort_by.push(sort_bucket);
return this;
};
Search.prototype.to_query = function() {
var k, ref, v;
ref = this.query_hash;
for (k in ref) {
v = ref[k];
if (!_.isNumber(v) && _.isEmpty(v)) {
delete this.query_hash[k];
}
}
return this.query_hash;
};
Search.prototype.execute = function(options, callback) {
if (callback === null) {
callback = options;
}
options || (options = {});
return api.search(this.to_query(), options, callback);
};
return Search;
})();
module.exports = Search;
}).call(this);
//# sourceMappingURL=search.js.map
|
ActEuropa/DatabaseUI
|
node_modules/cloudinary/lib/v2/search.js
|
JavaScript
|
mit
| 2,514 |
/**
* @license
* Copyright Google Inc. All Rights Reserved.
*
* Use of this source code is governed by an MIT-style license that can be
* found in the LICENSE file at https://angular.io/license
*/
// THIS CODE IS GENERATED - DO NOT MODIFY
// See angular/tools/gulp-tasks/cldr/extract.js
(function(global) {
global.ng = global.ng || {};
global.ng.common = global.ng.common || {};
global.ng.common.locales = global.ng.common.locales || {};
const u = undefined;
function plural(n) {
if (n === 0) return 0;
if (n === 1) return 1;
if (n === 2) return 2;
if (n === 3) return 3;
if (n === 6) return 4;
return 5;
}
root.ng.common.locales['cy'] = [
'cy',
[['b', 'h'], ['AM', 'PM'], ['yb', 'yh']],
[['AM', 'PM'], u, u],
[
['S', 'Ll', 'M', 'M', 'I', 'G', 'S'], ['Sul', 'Llun', 'Maw', 'Mer', 'Iau', 'Gwen', 'Sad'],
[
'Dydd Sul', 'Dydd Llun', 'Dydd Mawrth', 'Dydd Mercher', 'Dydd Iau', 'Dydd Gwener',
'Dydd Sadwrn'
],
['Su', 'Ll', 'Ma', 'Me', 'Ia', 'Gw', 'Sa']
],
[
['S', 'Ll', 'M', 'M', 'I', 'G', 'S'], ['Sul', 'Llun', 'Maw', 'Mer', 'Iau', 'Gwe', 'Sad'],
[
'Dydd Sul', 'Dydd Llun', 'Dydd Mawrth', 'Dydd Mercher', 'Dydd Iau', 'Dydd Gwener',
'Dydd Sadwrn'
],
['Su', 'Ll', 'Ma', 'Me', 'Ia', 'Gw', 'Sa']
],
[
['I', 'Ch', 'M', 'E', 'M', 'M', 'G', 'A', 'M', 'H', 'T', 'Rh'],
['Ion', 'Chwef', 'Maw', 'Ebr', 'Mai', 'Meh', 'Gorff', 'Awst', 'Medi', 'Hyd', 'Tach', 'Rhag'],
[
'Ionawr', 'Chwefror', 'Mawrth', 'Ebrill', 'Mai', 'Mehefin', 'Gorffennaf', 'Awst', 'Medi',
'Hydref', 'Tachwedd', 'Rhagfyr'
]
],
[
['I', 'Ch', 'M', 'E', 'M', 'M', 'G', 'A', 'M', 'H', 'T', 'Rh'],
['Ion', 'Chw', 'Maw', 'Ebr', 'Mai', 'Meh', 'Gor', 'Awst', 'Medi', 'Hyd', 'Tach', 'Rhag'],
[
'Ionawr', 'Chwefror', 'Mawrth', 'Ebrill', 'Mai', 'Mehefin', 'Gorffennaf', 'Awst', 'Medi',
'Hydref', 'Tachwedd', 'Rhagfyr'
]
],
[['C', 'O'], ['CC', 'OC'], ['Cyn Crist', 'Oed Crist']],
1,
[6, 0],
['dd/MM/yy', 'd MMM y', 'd MMMM y', 'EEEE, d MMMM y'],
['HH:mm', 'HH:mm:ss', 'HH:mm:ss z', 'HH:mm:ss zzzz'],
['{1} {0}', u, '{1} \'am\' {0}', u],
['.', ',', ';', '%', '+', '-', 'E', '×', '‰', '∞', 'NaN', ':'],
['#,##0.###', '#,##0%', '¤#,##0.00', '#E0'],
'£',
'Punt Prydain',
{
'BDT': [u, 'TK'],
'BWP': [],
'HKD': ['HK$'],
'JPY': ['JP¥', '¥'],
'KRW': [u, '₩'],
'THB': ['฿'],
'TWD': ['NT$'],
'USD': ['US$', '$'],
'XXX': [],
'ZAR': [],
'ZMW': []
},
plural,
[
[
['canol nos', 'canol dydd', 'yn y bore', 'yn y prynhawn', 'min nos'],
['canol nos', 'canol dydd', 'y bore', 'y prynhawn', 'yr hwyr'], u
],
[
['canol nos', 'canol dydd', 'bore', 'prynhawn', 'min nos'],
['canol nos', 'canol dydd', 'bore', 'prynhawn', 'yr hwyr'],
['canol nos', 'canol dydd', 'y bore', 'y prynhawn', 'yr hwyr']
],
['00:00', '12:00', ['00:00', '12:00'], ['12:00', '18:00'], ['18:00', '24:00']]
]
];
})(typeof globalThis !== 'undefined' && globalThis || typeof global !== 'undefined' && global ||
typeof window !== 'undefined' && window);
|
mhevery/angular
|
packages/common/locales/global/cy.js
|
JavaScript
|
mit
| 3,305 |
/**
* @license
* Copyright Google Inc. All Rights Reserved.
*
* Use of this source code is governed by an MIT-style license that can be
* found in the LICENSE file at https://angular.io/license
*/
// THIS CODE IS GENERATED - DO NOT MODIFY
// See angular/tools/gulp-tasks/cldr/extract.js
(function(global) {
global.ng = global.ng || {};
global.ng.common = global.ng.common || {};
global.ng.common.locales = global.ng.common.locales || {};
const u = undefined;
function plural(n) {
let i = Math.floor(Math.abs(n)), v = n.toString().replace(/^[^.]*\.?/, '').length;
if (i === 1 && v === 0) return 1;
return 5;
}
root.ng.common.locales['en-nu'] = [
'en-NU',
[['a', 'p'], ['am', 'pm'], u],
[['am', 'pm'], u, u],
[
['S', 'M', 'T', 'W', 'T', 'F', 'S'], ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'],
['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'],
['Su', 'Mo', 'Tu', 'We', 'Th', 'Fr', 'Sa']
],
u,
[
['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'],
['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'],
[
'January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September',
'October', 'November', 'December'
]
],
u,
[['B', 'A'], ['BC', 'AD'], ['Before Christ', 'Anno Domini']],
1,
[6, 0],
['dd/MM/y', 'd MMM y', 'd MMMM y', 'EEEE, d MMMM y'],
['HH:mm', 'HH:mm:ss', 'HH:mm:ss z', 'HH:mm:ss zzzz'],
['{1}, {0}', u, '{1} \'at\' {0}', u],
['.', ',', ';', '%', '+', '-', 'E', '×', '‰', '∞', 'NaN', ':'],
['#,##0.###', '#,##0%', '¤#,##0.00', '#E0'],
'$',
'New Zealand Dollar',
{'JPY': ['JP¥', '¥'], 'NZD': ['$'], 'USD': ['US$', '$']},
plural,
[
[
['mi', 'n', 'in the morning', 'in the afternoon', 'in the evening', 'at night'],
['midnight', 'noon', 'in the morning', 'in the afternoon', 'in the evening', 'at night'], u
],
[['midnight', 'noon', 'morning', 'afternoon', 'evening', 'night'], u, u],
[
'00:00', '12:00', ['06:00', '12:00'], ['12:00', '18:00'], ['18:00', '21:00'],
['21:00', '06:00']
]
]
];
})(typeof globalThis !== 'undefined' && globalThis || typeof global !== 'undefined' && global ||
typeof window !== 'undefined' && window);
|
mhevery/angular
|
packages/common/locales/global/en-NU.js
|
JavaScript
|
mit
| 2,386 |
// @flow
import 'babel-polyfill';
import 'source-map-support/register';
import console from 'better-console';
const fib = function* fib(n) {
const isInfinite = n === undefined;
let current = 0;
let next = 1;
// eslint-disable-next-line no-param-reassign
while (Number.isFinite(current) && isInfinite || n--) {
yield current;
[current, next] = [next, current + next];
}
};
const log = () => {
// eslint-disable-next-line prefer-const
for (let f of fib()) {
console.log(f);
}
};
console.info('==================================================');
log();
|
abhisekp/Practice-Modern-JavaScript
|
src/example/fib-gen.js
|
JavaScript
|
mit
| 589 |
'use strict';
var task = require('../../../../lib/tasks/populate');
var sinon = require('sinon');
var Promise = require('bluebird');
var manager = require('../../../../lib/utils/manager');
describe('lib.tasks.populate', function () {
var config, populateStub;
beforeEach(function () {
config = {
database: {
client: 'sqlite',
connection: {
filename: ':memory:'
}
},
paths: ['test/fixtures/**/*.js']
};
});
beforeEach(function () {
populateStub = sinon.stub().returns(Promise.resolve('populate-called'));
sinon.stub(manager, 'factory').returns({ populate: populateStub });
});
afterEach(function () {
manager.factory.restore();
});
it('should populate schemas', function (done) {
task(config, function (err, result) {
if (err) return done(err);
expect(populateStub).to.have.been.calledOnce;
expect(populateStub).to.have.been.calledWith([
require('../../../fixtures/first'),
require('../../../fixtures/second')
]);
expect(result).to.equal('populate-called');
done();
});
});
});
|
lemonde/grunt-knex-schema
|
test/unit/lib/tasks/populate.js
|
JavaScript
|
mit
| 1,133 |
jQuery(function($) {
$('body').removeClass('no-js');
var $postsContainer = $('.js-posts-container');
/* ============================================================ */
/* Homepage Masonry */
/* ============================================================ */
if ($postsContainer.length > 0 ) {
$postsContainer.imagesLoaded(function() {
$postsContainer.masonry({
itemSelector: '.post-stub',
hiddenStyle: { opacity: 0 },
visibleStyle: { opacity: 1 },
transitionDuration: '0.5s'
});
// Add animate class to the posts container once tha masonry
// layout is complete. This helps to avoid animation jump in
// on page load.
$postsContainer.masonry('on', 'layoutComplete', function() {
$postsContainer.addClass('animate');
});
});
}
/* ============================================================ */
/* Responsive Video Embeds */
/* ============================================================ */
$(".post").fitVids();
/* ============================================================ */
/* Featured Post */
/* ============================================================ */
var $postFeature = $('<div class="post-feature"></div>')
var $firstPostElement = $('.js-post-content').children(':first');
// Move the feature to the top of the post
if ($firstPostElement.has('img, iframe').length > 0) {
$postFeature.html($firstPostElement);
$('.post').prepend($postFeature);
}
/* ============================================================ */
/* Load More Posts */
/* ============================================================ */
var $loadMorePosts = $('.js-load-more-posts');
var $spinner = $('<span class="spinner spinner-icon"></span>');
var olderPostsUrl = $('.older-posts').attr('href');
// Inform the user if there are no more posts
if (olderPostsUrl === undefined) {
$loadMorePosts.text('No More Posts');
}
$loadMorePosts.on('click', function(e) {
e.preventDefault();
// If there are posts to get
if (olderPostsUrl !== undefined) {
$loadMorePosts.html($spinner);
$.get(olderPostsUrl, function(result) {
var $html = $(result);
var $newContent = $('.js-posts-container', $html).contents();
$postsContainer.append($newContent);
$('.post').fitVids();
$postsContainer.imagesLoaded(function() {
$postsContainer.masonry('appended', $newContent);
});
// Set up the load more button after the layouts complete
$postsContainer.masonry('on', 'layoutComplete', function() {
// Get the url for more posts
olderPostsUrl = $('.older-posts', $html).attr('href');
// Inform the user if there are no more posts
if (olderPostsUrl === undefined) {
$loadMorePosts.text('No More Posts');
} else {
$loadMorePosts.text('Load More');
}
// Prevent the event triggering more than once
return true;
});
});
}
});
});
|
meetsteve/ghost
|
content/themes/toffee/assets/js/scripts.js
|
JavaScript
|
mit
| 3,567 |
/**
* Created by KyrLouca on 20/7/2016.
*/
var gulp = require('gulp');
var vulcanize = require('gulp-vulcanize');
var crisper = require('gulp-crisper');
var del = require('del');
var babel = require('gulp-babel');
var uglify = require('gulp-uglify');
var filter = require('gulp-filter');
var rename = require('gulp-rename');
gulp.task('vulcan', function () {
"use strict";
return gulp.src('src/index.html')
.pipe(vulcanize({
abspath: '',
excludes: [],
stripExcludes: false,
stripComments: true,
inlineScripts: true,
inlineCss: true
}))
.pipe(gulp.dest('dist'));
});
gulp.task('split', function () {
"use strict";
return gulp.src('dist/index.html')
.pipe(crisper({
scriptInHead: true, // true is default
onlySplit: false
}))
.pipe(gulp.dest('dist/split'));
});
gulp.task('babel', function () {
return gulp.src('dist/split/index.js')
.pipe(babel({
presets: ['es2015']
}))
.pipe(gulp.dest('dist/split'));
});
gulp.task('default', ['vulcanAll']);
gulp.task('uglify', function () {
gulp.src('src/js/main.js')
.pipe(uglify())
.pipe(gulp.dest('dist'));
});
gulp.task('clean', function () {
"use strict";
del(['dist/**/*.js','dist/**/*.html']);
});
gulp.task('filter', function () {
"use strict";
var filterJs = filter(['**/m*.js']);
gulp.src('src/**/*.*')
.pipe(filterJs)
.pipe(uglify())
.pipe(gulp.dest('dist/ta'));
});
gulp.task('prep1', function () {
"use strict";
var filterJs = filter(['**/*.js'], {restore: true});
gulp.src("src/index.html")
.pipe(vulcanize({
abspath: '',
excludes: [],
stripExcludes: false,
stripComments: true,
inlineScripts: true,
inlineCss: true
}))
.pipe(rename(function (path) {
path.basename = "indexGbb";
}))
.pipe(crisper({
scriptInHead: false, // true is default
onlySplit: false
}))
.pipe(filterJs)
.pipe(babel({presets: ['es2015']}))
//.pipe(uglify())
.pipe(filterJs.restore)
.pipe(gulp.dest("./dist")); // ./dist/main/text/ciao/hello-goodbye.md
});
|
kyrlouca/gameBubble
|
gulpfile.js
|
JavaScript
|
mit
| 2,388 |
typeof window !== "undefined" &&
(function webpackUniversalModuleDefinition(root, factory) {
if(typeof exports === 'object' && typeof module === 'object')
module.exports = factory();
else if(typeof define === 'function' && define.amd)
define([], factory);
else if(typeof exports === 'object')
exports["Hls"] = factory();
else
root["Hls"] = factory();
})(this, function() {
return /******/ (function(modules) { // webpackBootstrap
/******/ // The module cache
/******/ var installedModules = {};
/******/
/******/ // The require function
/******/ function __webpack_require__(moduleId) {
/******/
/******/ // Check if module is in cache
/******/ if(installedModules[moduleId]) {
/******/ return installedModules[moduleId].exports;
/******/ }
/******/ // Create a new module (and put it into the cache)
/******/ var module = installedModules[moduleId] = {
/******/ i: moduleId,
/******/ l: false,
/******/ exports: {}
/******/ };
/******/
/******/ // Execute the module function
/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
/******/
/******/ // Flag the module as loaded
/******/ module.l = true;
/******/
/******/ // Return the exports of the module
/******/ return module.exports;
/******/ }
/******/
/******/
/******/ // expose the modules object (__webpack_modules__)
/******/ __webpack_require__.m = modules;
/******/
/******/ // expose the module cache
/******/ __webpack_require__.c = installedModules;
/******/
/******/ // define getter function for harmony exports
/******/ __webpack_require__.d = function(exports, name, getter) {
/******/ if(!__webpack_require__.o(exports, name)) {
/******/ Object.defineProperty(exports, name, { enumerable: true, get: getter });
/******/ }
/******/ };
/******/
/******/ // define __esModule on exports
/******/ __webpack_require__.r = function(exports) {
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
/******/ }
/******/ Object.defineProperty(exports, '__esModule', { value: true });
/******/ };
/******/
/******/ // create a fake namespace object
/******/ // mode & 1: value is a module id, require it
/******/ // mode & 2: merge all properties of value into the ns
/******/ // mode & 4: return value when already ns object
/******/ // mode & 8|1: behave like require
/******/ __webpack_require__.t = function(value, mode) {
/******/ if(mode & 1) value = __webpack_require__(value);
/******/ if(mode & 8) return value;
/******/ if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value;
/******/ var ns = Object.create(null);
/******/ __webpack_require__.r(ns);
/******/ Object.defineProperty(ns, 'default', { enumerable: true, value: value });
/******/ if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key));
/******/ return ns;
/******/ };
/******/
/******/ // getDefaultExport function for compatibility with non-harmony modules
/******/ __webpack_require__.n = function(module) {
/******/ var getter = module && module.__esModule ?
/******/ function getDefault() { return module['default']; } :
/******/ function getModuleExports() { return module; };
/******/ __webpack_require__.d(getter, 'a', getter);
/******/ return getter;
/******/ };
/******/
/******/ // Object.prototype.hasOwnProperty.call
/******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
/******/
/******/ // __webpack_public_path__
/******/ __webpack_require__.p = "/dist/";
/******/
/******/
/******/ // Load entry module and return exports
/******/ return __webpack_require__(__webpack_require__.s = "./src/hls.ts");
/******/ })
/************************************************************************/
/******/ ({
/***/ "./node_modules/eventemitter3/index.js":
/*!*********************************************!*\
!*** ./node_modules/eventemitter3/index.js ***!
\*********************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
"use strict";
var has = Object.prototype.hasOwnProperty
, prefix = '~';
/**
* Constructor to create a storage for our `EE` objects.
* An `Events` instance is a plain object whose properties are event names.
*
* @constructor
* @private
*/
function Events() {}
//
// We try to not inherit from `Object.prototype`. In some engines creating an
// instance in this way is faster than calling `Object.create(null)` directly.
// If `Object.create(null)` is not supported we prefix the event names with a
// character to make sure that the built-in object properties are not
// overridden or used as an attack vector.
//
if (Object.create) {
Events.prototype = Object.create(null);
//
// This hack is needed because the `__proto__` property is still inherited in
// some old browsers like Android 4, iPhone 5.1, Opera 11 and Safari 5.
//
if (!new Events().__proto__) prefix = false;
}
/**
* Representation of a single event listener.
*
* @param {Function} fn The listener function.
* @param {*} context The context to invoke the listener with.
* @param {Boolean} [once=false] Specify if the listener is a one-time listener.
* @constructor
* @private
*/
function EE(fn, context, once) {
this.fn = fn;
this.context = context;
this.once = once || false;
}
/**
* Add a listener for a given event.
*
* @param {EventEmitter} emitter Reference to the `EventEmitter` instance.
* @param {(String|Symbol)} event The event name.
* @param {Function} fn The listener function.
* @param {*} context The context to invoke the listener with.
* @param {Boolean} once Specify if the listener is a one-time listener.
* @returns {EventEmitter}
* @private
*/
function addListener(emitter, event, fn, context, once) {
if (typeof fn !== 'function') {
throw new TypeError('The listener must be a function');
}
var listener = new EE(fn, context || emitter, once)
, evt = prefix ? prefix + event : event;
if (!emitter._events[evt]) emitter._events[evt] = listener, emitter._eventsCount++;
else if (!emitter._events[evt].fn) emitter._events[evt].push(listener);
else emitter._events[evt] = [emitter._events[evt], listener];
return emitter;
}
/**
* Clear event by name.
*
* @param {EventEmitter} emitter Reference to the `EventEmitter` instance.
* @param {(String|Symbol)} evt The Event name.
* @private
*/
function clearEvent(emitter, evt) {
if (--emitter._eventsCount === 0) emitter._events = new Events();
else delete emitter._events[evt];
}
/**
* Minimal `EventEmitter` interface that is molded against the Node.js
* `EventEmitter` interface.
*
* @constructor
* @public
*/
function EventEmitter() {
this._events = new Events();
this._eventsCount = 0;
}
/**
* Return an array listing the events for which the emitter has registered
* listeners.
*
* @returns {Array}
* @public
*/
EventEmitter.prototype.eventNames = function eventNames() {
var names = []
, events
, name;
if (this._eventsCount === 0) return names;
for (name in (events = this._events)) {
if (has.call(events, name)) names.push(prefix ? name.slice(1) : name);
}
if (Object.getOwnPropertySymbols) {
return names.concat(Object.getOwnPropertySymbols(events));
}
return names;
};
/**
* Return the listeners registered for a given event.
*
* @param {(String|Symbol)} event The event name.
* @returns {Array} The registered listeners.
* @public
*/
EventEmitter.prototype.listeners = function listeners(event) {
var evt = prefix ? prefix + event : event
, handlers = this._events[evt];
if (!handlers) return [];
if (handlers.fn) return [handlers.fn];
for (var i = 0, l = handlers.length, ee = new Array(l); i < l; i++) {
ee[i] = handlers[i].fn;
}
return ee;
};
/**
* Return the number of listeners listening to a given event.
*
* @param {(String|Symbol)} event The event name.
* @returns {Number} The number of listeners.
* @public
*/
EventEmitter.prototype.listenerCount = function listenerCount(event) {
var evt = prefix ? prefix + event : event
, listeners = this._events[evt];
if (!listeners) return 0;
if (listeners.fn) return 1;
return listeners.length;
};
/**
* Calls each of the listeners registered for a given event.
*
* @param {(String|Symbol)} event The event name.
* @returns {Boolean} `true` if the event had listeners, else `false`.
* @public
*/
EventEmitter.prototype.emit = function emit(event, a1, a2, a3, a4, a5) {
var evt = prefix ? prefix + event : event;
if (!this._events[evt]) return false;
var listeners = this._events[evt]
, len = arguments.length
, args
, i;
if (listeners.fn) {
if (listeners.once) this.removeListener(event, listeners.fn, undefined, true);
switch (len) {
case 1: return listeners.fn.call(listeners.context), true;
case 2: return listeners.fn.call(listeners.context, a1), true;
case 3: return listeners.fn.call(listeners.context, a1, a2), true;
case 4: return listeners.fn.call(listeners.context, a1, a2, a3), true;
case 5: return listeners.fn.call(listeners.context, a1, a2, a3, a4), true;
case 6: return listeners.fn.call(listeners.context, a1, a2, a3, a4, a5), true;
}
for (i = 1, args = new Array(len -1); i < len; i++) {
args[i - 1] = arguments[i];
}
listeners.fn.apply(listeners.context, args);
} else {
var length = listeners.length
, j;
for (i = 0; i < length; i++) {
if (listeners[i].once) this.removeListener(event, listeners[i].fn, undefined, true);
switch (len) {
case 1: listeners[i].fn.call(listeners[i].context); break;
case 2: listeners[i].fn.call(listeners[i].context, a1); break;
case 3: listeners[i].fn.call(listeners[i].context, a1, a2); break;
case 4: listeners[i].fn.call(listeners[i].context, a1, a2, a3); break;
default:
if (!args) for (j = 1, args = new Array(len -1); j < len; j++) {
args[j - 1] = arguments[j];
}
listeners[i].fn.apply(listeners[i].context, args);
}
}
}
return true;
};
/**
* Add a listener for a given event.
*
* @param {(String|Symbol)} event The event name.
* @param {Function} fn The listener function.
* @param {*} [context=this] The context to invoke the listener with.
* @returns {EventEmitter} `this`.
* @public
*/
EventEmitter.prototype.on = function on(event, fn, context) {
return addListener(this, event, fn, context, false);
};
/**
* Add a one-time listener for a given event.
*
* @param {(String|Symbol)} event The event name.
* @param {Function} fn The listener function.
* @param {*} [context=this] The context to invoke the listener with.
* @returns {EventEmitter} `this`.
* @public
*/
EventEmitter.prototype.once = function once(event, fn, context) {
return addListener(this, event, fn, context, true);
};
/**
* Remove the listeners of a given event.
*
* @param {(String|Symbol)} event The event name.
* @param {Function} fn Only remove the listeners that match this function.
* @param {*} context Only remove the listeners that have this context.
* @param {Boolean} once Only remove one-time listeners.
* @returns {EventEmitter} `this`.
* @public
*/
EventEmitter.prototype.removeListener = function removeListener(event, fn, context, once) {
var evt = prefix ? prefix + event : event;
if (!this._events[evt]) return this;
if (!fn) {
clearEvent(this, evt);
return this;
}
var listeners = this._events[evt];
if (listeners.fn) {
if (
listeners.fn === fn &&
(!once || listeners.once) &&
(!context || listeners.context === context)
) {
clearEvent(this, evt);
}
} else {
for (var i = 0, events = [], length = listeners.length; i < length; i++) {
if (
listeners[i].fn !== fn ||
(once && !listeners[i].once) ||
(context && listeners[i].context !== context)
) {
events.push(listeners[i]);
}
}
//
// Reset the array, or remove it completely if we have no more listeners.
//
if (events.length) this._events[evt] = events.length === 1 ? events[0] : events;
else clearEvent(this, evt);
}
return this;
};
/**
* Remove all listeners, or those of the specified event.
*
* @param {(String|Symbol)} [event] The event name.
* @returns {EventEmitter} `this`.
* @public
*/
EventEmitter.prototype.removeAllListeners = function removeAllListeners(event) {
var evt;
if (event) {
evt = prefix ? prefix + event : event;
if (this._events[evt]) clearEvent(this, evt);
} else {
this._events = new Events();
this._eventsCount = 0;
}
return this;
};
//
// Alias methods names because people roll like that.
//
EventEmitter.prototype.off = EventEmitter.prototype.removeListener;
EventEmitter.prototype.addListener = EventEmitter.prototype.on;
//
// Expose the prefix.
//
EventEmitter.prefixed = prefix;
//
// Allow `EventEmitter` to be imported as module namespace.
//
EventEmitter.EventEmitter = EventEmitter;
//
// Expose the module.
//
if (true) {
module.exports = EventEmitter;
}
/***/ }),
/***/ "./node_modules/url-toolkit/src/url-toolkit.js":
/*!*****************************************************!*\
!*** ./node_modules/url-toolkit/src/url-toolkit.js ***!
\*****************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
// see https://tools.ietf.org/html/rfc1808
(function (root) {
var URL_REGEX = /^((?:[a-zA-Z0-9+\-.]+:)?)(\/\/[^\/?#]*)?((?:[^\/?#]*\/)*[^;?#]*)?(;[^?#]*)?(\?[^#]*)?(#.*)?$/;
var FIRST_SEGMENT_REGEX = /^([^\/?#]*)(.*)$/;
var SLASH_DOT_REGEX = /(?:\/|^)\.(?=\/)/g;
var SLASH_DOT_DOT_REGEX = /(?:\/|^)\.\.\/(?!\.\.\/)[^\/]*(?=\/)/g;
var URLToolkit = {
// If opts.alwaysNormalize is true then the path will always be normalized even when it starts with / or //
// E.g
// With opts.alwaysNormalize = false (default, spec compliant)
// http://a.com/b/cd + /e/f/../g => http://a.com/e/f/../g
// With opts.alwaysNormalize = true (not spec compliant)
// http://a.com/b/cd + /e/f/../g => http://a.com/e/g
buildAbsoluteURL: function (baseURL, relativeURL, opts) {
opts = opts || {};
// remove any remaining space and CRLF
baseURL = baseURL.trim();
relativeURL = relativeURL.trim();
if (!relativeURL) {
// 2a) If the embedded URL is entirely empty, it inherits the
// entire base URL (i.e., is set equal to the base URL)
// and we are done.
if (!opts.alwaysNormalize) {
return baseURL;
}
var basePartsForNormalise = URLToolkit.parseURL(baseURL);
if (!basePartsForNormalise) {
throw new Error('Error trying to parse base URL.');
}
basePartsForNormalise.path = URLToolkit.normalizePath(
basePartsForNormalise.path
);
return URLToolkit.buildURLFromParts(basePartsForNormalise);
}
var relativeParts = URLToolkit.parseURL(relativeURL);
if (!relativeParts) {
throw new Error('Error trying to parse relative URL.');
}
if (relativeParts.scheme) {
// 2b) If the embedded URL starts with a scheme name, it is
// interpreted as an absolute URL and we are done.
if (!opts.alwaysNormalize) {
return relativeURL;
}
relativeParts.path = URLToolkit.normalizePath(relativeParts.path);
return URLToolkit.buildURLFromParts(relativeParts);
}
var baseParts = URLToolkit.parseURL(baseURL);
if (!baseParts) {
throw new Error('Error trying to parse base URL.');
}
if (!baseParts.netLoc && baseParts.path && baseParts.path[0] !== '/') {
// If netLoc missing and path doesn't start with '/', assume everthing before the first '/' is the netLoc
// This causes 'example.com/a' to be handled as '//example.com/a' instead of '/example.com/a'
var pathParts = FIRST_SEGMENT_REGEX.exec(baseParts.path);
baseParts.netLoc = pathParts[1];
baseParts.path = pathParts[2];
}
if (baseParts.netLoc && !baseParts.path) {
baseParts.path = '/';
}
var builtParts = {
// 2c) Otherwise, the embedded URL inherits the scheme of
// the base URL.
scheme: baseParts.scheme,
netLoc: relativeParts.netLoc,
path: null,
params: relativeParts.params,
query: relativeParts.query,
fragment: relativeParts.fragment,
};
if (!relativeParts.netLoc) {
// 3) If the embedded URL's <net_loc> is non-empty, we skip to
// Step 7. Otherwise, the embedded URL inherits the <net_loc>
// (if any) of the base URL.
builtParts.netLoc = baseParts.netLoc;
// 4) If the embedded URL path is preceded by a slash "/", the
// path is not relative and we skip to Step 7.
if (relativeParts.path[0] !== '/') {
if (!relativeParts.path) {
// 5) If the embedded URL path is empty (and not preceded by a
// slash), then the embedded URL inherits the base URL path
builtParts.path = baseParts.path;
// 5a) if the embedded URL's <params> is non-empty, we skip to
// step 7; otherwise, it inherits the <params> of the base
// URL (if any) and
if (!relativeParts.params) {
builtParts.params = baseParts.params;
// 5b) if the embedded URL's <query> is non-empty, we skip to
// step 7; otherwise, it inherits the <query> of the base
// URL (if any) and we skip to step 7.
if (!relativeParts.query) {
builtParts.query = baseParts.query;
}
}
} else {
// 6) The last segment of the base URL's path (anything
// following the rightmost slash "/", or the entire path if no
// slash is present) is removed and the embedded URL's path is
// appended in its place.
var baseURLPath = baseParts.path;
var newPath =
baseURLPath.substring(0, baseURLPath.lastIndexOf('/') + 1) +
relativeParts.path;
builtParts.path = URLToolkit.normalizePath(newPath);
}
}
}
if (builtParts.path === null) {
builtParts.path = opts.alwaysNormalize
? URLToolkit.normalizePath(relativeParts.path)
: relativeParts.path;
}
return URLToolkit.buildURLFromParts(builtParts);
},
parseURL: function (url) {
var parts = URL_REGEX.exec(url);
if (!parts) {
return null;
}
return {
scheme: parts[1] || '',
netLoc: parts[2] || '',
path: parts[3] || '',
params: parts[4] || '',
query: parts[5] || '',
fragment: parts[6] || '',
};
},
normalizePath: function (path) {
// The following operations are
// then applied, in order, to the new path:
// 6a) All occurrences of "./", where "." is a complete path
// segment, are removed.
// 6b) If the path ends with "." as a complete path segment,
// that "." is removed.
path = path.split('').reverse().join('').replace(SLASH_DOT_REGEX, '');
// 6c) All occurrences of "<segment>/../", where <segment> is a
// complete path segment not equal to "..", are removed.
// Removal of these path segments is performed iteratively,
// removing the leftmost matching pattern on each iteration,
// until no matching pattern remains.
// 6d) If the path ends with "<segment>/..", where <segment> is a
// complete path segment not equal to "..", that
// "<segment>/.." is removed.
while (
path.length !== (path = path.replace(SLASH_DOT_DOT_REGEX, '')).length
) {}
return path.split('').reverse().join('');
},
buildURLFromParts: function (parts) {
return (
parts.scheme +
parts.netLoc +
parts.path +
parts.params +
parts.query +
parts.fragment
);
},
};
if (true)
module.exports = URLToolkit;
else {}
})(this);
/***/ }),
/***/ "./node_modules/webworkify-webpack/index.js":
/*!**************************************************!*\
!*** ./node_modules/webworkify-webpack/index.js ***!
\**************************************************/
/*! no static exports found */
/***/ (function(module, exports, __webpack_require__) {
function webpackBootstrapFunc (modules) {
/******/ // The module cache
/******/ var installedModules = {};
/******/ // The require function
/******/ function __webpack_require__(moduleId) {
/******/ // Check if module is in cache
/******/ if(installedModules[moduleId])
/******/ return installedModules[moduleId].exports;
/******/ // Create a new module (and put it into the cache)
/******/ var module = installedModules[moduleId] = {
/******/ i: moduleId,
/******/ l: false,
/******/ exports: {}
/******/ };
/******/ // Execute the module function
/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
/******/ // Flag the module as loaded
/******/ module.l = true;
/******/ // Return the exports of the module
/******/ return module.exports;
/******/ }
/******/ // expose the modules object (__webpack_modules__)
/******/ __webpack_require__.m = modules;
/******/ // expose the module cache
/******/ __webpack_require__.c = installedModules;
/******/ // identity function for calling harmony imports with the correct context
/******/ __webpack_require__.i = function(value) { return value; };
/******/ // define getter function for harmony exports
/******/ __webpack_require__.d = function(exports, name, getter) {
/******/ if(!__webpack_require__.o(exports, name)) {
/******/ Object.defineProperty(exports, name, {
/******/ configurable: false,
/******/ enumerable: true,
/******/ get: getter
/******/ });
/******/ }
/******/ };
/******/ // define __esModule on exports
/******/ __webpack_require__.r = function(exports) {
/******/ Object.defineProperty(exports, '__esModule', { value: true });
/******/ };
/******/ // getDefaultExport function for compatibility with non-harmony modules
/******/ __webpack_require__.n = function(module) {
/******/ var getter = module && module.__esModule ?
/******/ function getDefault() { return module['default']; } :
/******/ function getModuleExports() { return module; };
/******/ __webpack_require__.d(getter, 'a', getter);
/******/ return getter;
/******/ };
/******/ // Object.prototype.hasOwnProperty.call
/******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
/******/ // __webpack_public_path__
/******/ __webpack_require__.p = "/";
/******/ // on error function for async loading
/******/ __webpack_require__.oe = function(err) { console.error(err); throw err; };
var f = __webpack_require__(__webpack_require__.s = ENTRY_MODULE)
return f.default || f // try to call default if defined to also support babel esmodule exports
}
var moduleNameReqExp = '[\\.|\\-|\\+|\\w|\/|@]+'
var dependencyRegExp = '\\(\\s*(\/\\*.*?\\*\/)?\\s*.*?(' + moduleNameReqExp + ').*?\\)' // additional chars when output.pathinfo is true
// http://stackoverflow.com/a/2593661/130442
function quoteRegExp (str) {
return (str + '').replace(/[.?*+^$[\]\\(){}|-]/g, '\\$&')
}
function isNumeric(n) {
return !isNaN(1 * n); // 1 * n converts integers, integers as string ("123"), 1e3 and "1e3" to integers and strings to NaN
}
function getModuleDependencies (sources, module, queueName) {
var retval = {}
retval[queueName] = []
var fnString = module.toString()
var wrapperSignature = fnString.match(/^function\s?\w*\(\w+,\s*\w+,\s*(\w+)\)/)
if (!wrapperSignature) return retval
var webpackRequireName = wrapperSignature[1]
// main bundle deps
var re = new RegExp('(\\\\n|\\W)' + quoteRegExp(webpackRequireName) + dependencyRegExp, 'g')
var match
while ((match = re.exec(fnString))) {
if (match[3] === 'dll-reference') continue
retval[queueName].push(match[3])
}
// dll deps
re = new RegExp('\\(' + quoteRegExp(webpackRequireName) + '\\("(dll-reference\\s(' + moduleNameReqExp + '))"\\)\\)' + dependencyRegExp, 'g')
while ((match = re.exec(fnString))) {
if (!sources[match[2]]) {
retval[queueName].push(match[1])
sources[match[2]] = __webpack_require__(match[1]).m
}
retval[match[2]] = retval[match[2]] || []
retval[match[2]].push(match[4])
}
// convert 1e3 back to 1000 - this can be important after uglify-js converted 1000 to 1e3
var keys = Object.keys(retval);
for (var i = 0; i < keys.length; i++) {
for (var j = 0; j < retval[keys[i]].length; j++) {
if (isNumeric(retval[keys[i]][j])) {
retval[keys[i]][j] = 1 * retval[keys[i]][j];
}
}
}
return retval
}
function hasValuesInQueues (queues) {
var keys = Object.keys(queues)
return keys.reduce(function (hasValues, key) {
return hasValues || queues[key].length > 0
}, false)
}
function getRequiredModules (sources, moduleId) {
var modulesQueue = {
main: [moduleId]
}
var requiredModules = {
main: []
}
var seenModules = {
main: {}
}
while (hasValuesInQueues(modulesQueue)) {
var queues = Object.keys(modulesQueue)
for (var i = 0; i < queues.length; i++) {
var queueName = queues[i]
var queue = modulesQueue[queueName]
var moduleToCheck = queue.pop()
seenModules[queueName] = seenModules[queueName] || {}
if (seenModules[queueName][moduleToCheck] || !sources[queueName][moduleToCheck]) continue
seenModules[queueName][moduleToCheck] = true
requiredModules[queueName] = requiredModules[queueName] || []
requiredModules[queueName].push(moduleToCheck)
var newModules = getModuleDependencies(sources, sources[queueName][moduleToCheck], queueName)
var newModulesKeys = Object.keys(newModules)
for (var j = 0; j < newModulesKeys.length; j++) {
modulesQueue[newModulesKeys[j]] = modulesQueue[newModulesKeys[j]] || []
modulesQueue[newModulesKeys[j]] = modulesQueue[newModulesKeys[j]].concat(newModules[newModulesKeys[j]])
}
}
}
return requiredModules
}
module.exports = function (moduleId, options) {
options = options || {}
var sources = {
main: __webpack_require__.m
}
var requiredModules = options.all ? { main: Object.keys(sources.main) } : getRequiredModules(sources, moduleId)
var src = ''
Object.keys(requiredModules).filter(function (m) { return m !== 'main' }).forEach(function (module) {
var entryModule = 0
while (requiredModules[module][entryModule]) {
entryModule++
}
requiredModules[module].push(entryModule)
sources[module][entryModule] = '(function(module, exports, __webpack_require__) { module.exports = __webpack_require__; })'
src = src + 'var ' + module + ' = (' + webpackBootstrapFunc.toString().replace('ENTRY_MODULE', JSON.stringify(entryModule)) + ')({' + requiredModules[module].map(function (id) { return '' + JSON.stringify(id) + ': ' + sources[module][id].toString() }).join(',') + '});\n'
})
src = src + 'new ((' + webpackBootstrapFunc.toString().replace('ENTRY_MODULE', JSON.stringify(moduleId)) + ')({' + requiredModules.main.map(function (id) { return '' + JSON.stringify(id) + ': ' + sources.main[id].toString() }).join(',') + '}))(self);'
var blob = new window.Blob([src], { type: 'text/javascript' })
if (options.bare) { return blob }
var URL = window.URL || window.webkitURL || window.mozURL || window.msURL
var workerUrl = URL.createObjectURL(blob)
var worker = new window.Worker(workerUrl)
worker.objectURL = workerUrl
return worker
}
/***/ }),
/***/ "./src/config.ts":
/*!***********************!*\
!*** ./src/config.ts ***!
\***********************/
/*! exports provided: hlsDefaultConfig, mergeConfig, enableStreamingMode */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "hlsDefaultConfig", function() { return hlsDefaultConfig; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "mergeConfig", function() { return mergeConfig; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "enableStreamingMode", function() { return enableStreamingMode; });
/* harmony import */ var _controller_abr_controller__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./controller/abr-controller */ "./src/controller/abr-controller.ts");
/* harmony import */ var _controller_audio_stream_controller__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./controller/audio-stream-controller */ "./src/empty.js");
/* harmony import */ var _controller_audio_stream_controller__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(_controller_audio_stream_controller__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _controller_buffer_controller__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./controller/buffer-controller */ "./src/controller/buffer-controller.ts");
/* harmony import */ var _controller_cap_level_controller__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./controller/cap-level-controller */ "./src/controller/cap-level-controller.ts");
/* harmony import */ var _controller_fps_controller__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./controller/fps-controller */ "./src/controller/fps-controller.ts");
/* harmony import */ var _utils_xhr_loader__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./utils/xhr-loader */ "./src/utils/xhr-loader.ts");
/* harmony import */ var _utils_fetch_loader__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./utils/fetch-loader */ "./src/utils/fetch-loader.ts");
/* harmony import */ var _utils_mediakeys_helper__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./utils/mediakeys-helper */ "./src/utils/mediakeys-helper.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./utils/logger */ "./src/utils/logger.ts");
function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; }
function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(Object(source), true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; }
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; }
// If possible, keep hlsDefaultConfig shallow
// It is cloned whenever a new Hls instance is created, by keeping the config
// shallow the properties are cloned, and we don't end up manipulating the default
var hlsDefaultConfig = _objectSpread(_objectSpread({
autoStartLoad: true,
// used by stream-controller
startPosition: -1,
// used by stream-controller
defaultAudioCodec: undefined,
// used by stream-controller
debug: false,
// used by logger
capLevelOnFPSDrop: false,
// used by fps-controller
capLevelToPlayerSize: false,
// used by cap-level-controller
initialLiveManifestSize: 1,
// used by stream-controller
maxBufferLength: 30,
// used by stream-controller
backBufferLength: Infinity,
// used by buffer-controller
maxBufferSize: 60 * 1000 * 1000,
// used by stream-controller
maxBufferHole: 0.1,
// used by stream-controller
highBufferWatchdogPeriod: 2,
// used by stream-controller
nudgeOffset: 0.1,
// used by stream-controller
nudgeMaxRetry: 3,
// used by stream-controller
maxFragLookUpTolerance: 0.25,
// used by stream-controller
liveSyncDurationCount: 3,
// used by latency-controller
liveMaxLatencyDurationCount: Infinity,
// used by latency-controller
liveSyncDuration: undefined,
// used by latency-controller
liveMaxLatencyDuration: undefined,
// used by latency-controller
maxLiveSyncPlaybackRate: 1,
// used by latency-controller
liveDurationInfinity: false,
// used by buffer-controller
liveBackBufferLength: null,
// used by buffer-controller
maxMaxBufferLength: 600,
// used by stream-controller
enableWorker: true,
// used by demuxer
enableSoftwareAES: true,
// used by decrypter
manifestLoadingTimeOut: 10000,
// used by playlist-loader
manifestLoadingMaxRetry: 1,
// used by playlist-loader
manifestLoadingRetryDelay: 1000,
// used by playlist-loader
manifestLoadingMaxRetryTimeout: 64000,
// used by playlist-loader
startLevel: undefined,
// used by level-controller
levelLoadingTimeOut: 10000,
// used by playlist-loader
levelLoadingMaxRetry: 4,
// used by playlist-loader
levelLoadingRetryDelay: 1000,
// used by playlist-loader
levelLoadingMaxRetryTimeout: 64000,
// used by playlist-loader
fragLoadingTimeOut: 20000,
// used by fragment-loader
fragLoadingMaxRetry: 6,
// used by fragment-loader
fragLoadingRetryDelay: 1000,
// used by fragment-loader
fragLoadingMaxRetryTimeout: 64000,
// used by fragment-loader
startFragPrefetch: false,
// used by stream-controller
fpsDroppedMonitoringPeriod: 5000,
// used by fps-controller
fpsDroppedMonitoringThreshold: 0.2,
// used by fps-controller
appendErrorMaxRetry: 3,
// used by buffer-controller
loader: _utils_xhr_loader__WEBPACK_IMPORTED_MODULE_5__["default"],
// loader: FetchLoader,
fLoader: undefined,
// used by fragment-loader
pLoader: undefined,
// used by playlist-loader
xhrSetup: undefined,
// used by xhr-loader
licenseXhrSetup: undefined,
// used by eme-controller
licenseResponseCallback: undefined,
// used by eme-controller
abrController: _controller_abr_controller__WEBPACK_IMPORTED_MODULE_0__["default"],
bufferController: _controller_buffer_controller__WEBPACK_IMPORTED_MODULE_2__["default"],
capLevelController: _controller_cap_level_controller__WEBPACK_IMPORTED_MODULE_3__["default"],
fpsController: _controller_fps_controller__WEBPACK_IMPORTED_MODULE_4__["default"],
stretchShortVideoTrack: false,
// used by mp4-remuxer
maxAudioFramesDrift: 1,
// used by mp4-remuxer
forceKeyFrameOnDiscontinuity: true,
// used by ts-demuxer
abrEwmaFastLive: 3,
// used by abr-controller
abrEwmaSlowLive: 9,
// used by abr-controller
abrEwmaFastVoD: 3,
// used by abr-controller
abrEwmaSlowVoD: 9,
// used by abr-controller
abrEwmaDefaultEstimate: 5e5,
// 500 kbps // used by abr-controller
abrBandWidthFactor: 0.95,
// used by abr-controller
abrBandWidthUpFactor: 0.7,
// used by abr-controller
abrMaxWithRealBitrate: false,
// used by abr-controller
maxStarvationDelay: 4,
// used by abr-controller
maxLoadingDelay: 4,
// used by abr-controller
minAutoBitrate: 0,
// used by hls
emeEnabled: false,
// used by eme-controller
widevineLicenseUrl: undefined,
// used by eme-controller
drmSystemOptions: {},
// used by eme-controller
requestMediaKeySystemAccessFunc: _utils_mediakeys_helper__WEBPACK_IMPORTED_MODULE_7__["requestMediaKeySystemAccess"],
// used by eme-controller
testBandwidth: true,
progressive: false,
lowLatencyMode: true
}, timelineConfig()), {}, {
subtitleStreamController: false ? undefined : undefined,
subtitleTrackController: false ? undefined : undefined,
timelineController: false ? undefined : undefined,
audioStreamController: false ? undefined : undefined,
audioTrackController: false ? undefined : undefined,
emeController: false ? undefined : undefined
});
function timelineConfig() {
return {
cueHandler: _controller_audio_stream_controller__WEBPACK_IMPORTED_MODULE_1___default.a,
// used by timeline-controller
enableCEA708Captions: false,
// used by timeline-controller
enableWebVTT: false,
// used by timeline-controller
enableIMSC1: false,
// used by timeline-controller
captionsTextTrack1Label: 'English',
// used by timeline-controller
captionsTextTrack1LanguageCode: 'en',
// used by timeline-controller
captionsTextTrack2Label: 'Spanish',
// used by timeline-controller
captionsTextTrack2LanguageCode: 'es',
// used by timeline-controller
captionsTextTrack3Label: 'Unknown CC',
// used by timeline-controller
captionsTextTrack3LanguageCode: '',
// used by timeline-controller
captionsTextTrack4Label: 'Unknown CC',
// used by timeline-controller
captionsTextTrack4LanguageCode: '',
// used by timeline-controller
renderTextTracksNatively: true
};
}
function mergeConfig(defaultConfig, userConfig) {
if ((userConfig.liveSyncDurationCount || userConfig.liveMaxLatencyDurationCount) && (userConfig.liveSyncDuration || userConfig.liveMaxLatencyDuration)) {
throw new Error("Illegal hls.js config: don't mix up liveSyncDurationCount/liveMaxLatencyDurationCount and liveSyncDuration/liveMaxLatencyDuration");
}
if (userConfig.liveMaxLatencyDurationCount !== undefined && (userConfig.liveSyncDurationCount === undefined || userConfig.liveMaxLatencyDurationCount <= userConfig.liveSyncDurationCount)) {
throw new Error('Illegal hls.js config: "liveMaxLatencyDurationCount" must be greater than "liveSyncDurationCount"');
}
if (userConfig.liveMaxLatencyDuration !== undefined && (userConfig.liveSyncDuration === undefined || userConfig.liveMaxLatencyDuration <= userConfig.liveSyncDuration)) {
throw new Error('Illegal hls.js config: "liveMaxLatencyDuration" must be greater than "liveSyncDuration"');
}
return _extends({}, defaultConfig, userConfig);
}
function enableStreamingMode(config) {
var currentLoader = config.loader;
if (currentLoader !== _utils_fetch_loader__WEBPACK_IMPORTED_MODULE_6__["default"] && currentLoader !== _utils_xhr_loader__WEBPACK_IMPORTED_MODULE_5__["default"]) {
// If a developer has configured their own loader, respect that choice
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('[config]: Custom loader detected, cannot enable progressive streaming');
config.progressive = false;
} else {
var canStreamProgressively = Object(_utils_fetch_loader__WEBPACK_IMPORTED_MODULE_6__["fetchSupported"])();
if (canStreamProgressively) {
config.loader = _utils_fetch_loader__WEBPACK_IMPORTED_MODULE_6__["default"];
config.progressive = true;
config.enableSoftwareAES = true;
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('[config]: Progressive streaming enabled, using FetchLoader');
}
}
}
/***/ }),
/***/ "./src/controller/abr-controller.ts":
/*!******************************************!*\
!*** ./src/controller/abr-controller.ts ***!
\******************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _utils_ewma_bandwidth_estimator__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/ewma-bandwidth-estimator */ "./src/utils/ewma-bandwidth-estimator.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/buffer-helper */ "./src/utils/buffer-helper.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _types_loader__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../types/loader */ "./src/types/loader.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
var AbrController = /*#__PURE__*/function () {
function AbrController(hls) {
this.hls = void 0;
this.lastLoadedFragLevel = 0;
this._nextAutoLevel = -1;
this.timer = void 0;
this.onCheck = this._abandonRulesCheck.bind(this);
this.fragCurrent = null;
this.partCurrent = null;
this.bitrateTestDelay = 0;
this.bwEstimator = void 0;
this.hls = hls;
var config = hls.config;
this.bwEstimator = new _utils_ewma_bandwidth_estimator__WEBPACK_IMPORTED_MODULE_1__["default"](config.abrEwmaSlowVoD, config.abrEwmaFastVoD, config.abrEwmaDefaultEstimate);
this.registerListeners();
}
var _proto = AbrController.prototype;
_proto.registerListeners = function registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_LOADING, this.onFragLoading, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_LOADED, this.onFragLoaded, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_BUFFERED, this.onFragBuffered, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].LEVEL_LOADED, this.onLevelLoaded, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, this.onError, this);
};
_proto.unregisterListeners = function unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_LOADING, this.onFragLoading, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_LOADED, this.onFragLoaded, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_BUFFERED, this.onFragBuffered, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].LEVEL_LOADED, this.onLevelLoaded, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, this.onError, this);
};
_proto.destroy = function destroy() {
this.unregisterListeners();
this.clearTimer(); // @ts-ignore
this.hls = this.onCheck = null;
this.fragCurrent = this.partCurrent = null;
};
_proto.onFragLoading = function onFragLoading(event, data) {
var frag = data.frag;
if (frag.type === _types_loader__WEBPACK_IMPORTED_MODULE_5__["PlaylistLevelType"].MAIN) {
if (!this.timer) {
var _data$part;
this.fragCurrent = frag;
this.partCurrent = (_data$part = data.part) != null ? _data$part : null;
this.timer = self.setInterval(this.onCheck, 100);
}
}
};
_proto.onLevelLoaded = function onLevelLoaded(event, data) {
var config = this.hls.config;
if (data.details.live) {
this.bwEstimator.update(config.abrEwmaSlowLive, config.abrEwmaFastLive);
} else {
this.bwEstimator.update(config.abrEwmaSlowVoD, config.abrEwmaFastVoD);
}
}
/*
This method monitors the download rate of the current fragment, and will downswitch if that fragment will not load
quickly enough to prevent underbuffering
*/
;
_proto._abandonRulesCheck = function _abandonRulesCheck() {
var frag = this.fragCurrent,
part = this.partCurrent,
hls = this.hls;
var autoLevelEnabled = hls.autoLevelEnabled,
config = hls.config,
media = hls.media;
if (!frag || !media) {
return;
}
var stats = part ? part.stats : frag.stats;
var duration = part ? part.duration : frag.duration; // If loading has been aborted and not in lowLatencyMode, stop timer and return
if (stats.aborted) {
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].warn('frag loader destroy or aborted, disarm abandonRules');
this.clearTimer(); // reset forced auto level value so that next level will be selected
this._nextAutoLevel = -1;
return;
} // This check only runs if we're in ABR mode and actually playing
if (!autoLevelEnabled || media.paused || !media.playbackRate || !media.readyState) {
return;
}
var requestDelay = performance.now() - stats.loading.start;
var playbackRate = Math.abs(media.playbackRate); // In order to work with a stable bandwidth, only begin monitoring bandwidth after half of the fragment has been loaded
if (requestDelay <= 500 * duration / playbackRate) {
return;
}
var levels = hls.levels,
minAutoLevel = hls.minAutoLevel;
var level = levels[frag.level];
var expectedLen = stats.total || Math.max(stats.loaded, Math.round(duration * level.maxBitrate / 8));
var loadRate = Math.max(1, stats.bwEstimate ? stats.bwEstimate / 8 : stats.loaded * 1000 / requestDelay); // fragLoadDelay is an estimate of the time (in seconds) it will take to buffer the entire fragment
var fragLoadedDelay = (expectedLen - stats.loaded) / loadRate;
var pos = media.currentTime; // bufferStarvationDelay is an estimate of the amount time (in seconds) it will take to exhaust the buffer
var bufferStarvationDelay = (_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].bufferInfo(media, pos, config.maxBufferHole).end - pos) / playbackRate; // Attempt an emergency downswitch only if less than 2 fragment lengths are buffered, and the time to finish loading
// the current fragment is greater than the amount of buffer we have left
if (bufferStarvationDelay >= 2 * duration / playbackRate || fragLoadedDelay <= bufferStarvationDelay) {
return;
}
var fragLevelNextLoadedDelay = Number.POSITIVE_INFINITY;
var nextLoadLevel; // Iterate through lower level and try to find the largest one that avoids rebuffering
for (nextLoadLevel = frag.level - 1; nextLoadLevel > minAutoLevel; nextLoadLevel--) {
// compute time to load next fragment at lower level
// 0.8 : consider only 80% of current bw to be conservative
// 8 = bits per byte (bps/Bps)
var levelNextBitrate = levels[nextLoadLevel].maxBitrate;
fragLevelNextLoadedDelay = duration * levelNextBitrate / (8 * 0.8 * loadRate);
if (fragLevelNextLoadedDelay < bufferStarvationDelay) {
break;
}
} // Only emergency switch down if it takes less time to load a new fragment at lowest level instead of continuing
// to load the current one
if (fragLevelNextLoadedDelay >= fragLoadedDelay) {
return;
}
var bwEstimate = this.bwEstimator.getEstimate();
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].warn("Fragment " + frag.sn + (part ? ' part ' + part.index : '') + " of level " + frag.level + " is loading too slowly and will cause an underbuffer; aborting and switching to level " + nextLoadLevel + "\n Current BW estimate: " + (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(bwEstimate) ? (bwEstimate / 1024).toFixed(3) : 'Unknown') + " Kb/s\n Estimated load time for current fragment: " + fragLoadedDelay.toFixed(3) + " s\n Estimated load time for the next fragment: " + fragLevelNextLoadedDelay.toFixed(3) + " s\n Time to underbuffer: " + bufferStarvationDelay.toFixed(3) + " s");
hls.nextLoadLevel = nextLoadLevel;
this.bwEstimator.sample(requestDelay, stats.loaded);
this.clearTimer();
if (frag.loader) {
this.fragCurrent = this.partCurrent = null;
frag.loader.abort();
}
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_LOAD_EMERGENCY_ABORTED, {
frag: frag,
part: part,
stats: stats
});
};
_proto.onFragLoaded = function onFragLoaded(event, _ref) {
var frag = _ref.frag,
part = _ref.part;
if (frag.type === _types_loader__WEBPACK_IMPORTED_MODULE_5__["PlaylistLevelType"].MAIN && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(frag.sn)) {
var stats = part ? part.stats : frag.stats;
var duration = part ? part.duration : frag.duration; // stop monitoring bw once frag loaded
this.clearTimer(); // store level id after successful fragment load
this.lastLoadedFragLevel = frag.level; // reset forced auto level value so that next level will be selected
this._nextAutoLevel = -1; // compute level average bitrate
if (this.hls.config.abrMaxWithRealBitrate) {
var level = this.hls.levels[frag.level];
var loadedBytes = (level.loaded ? level.loaded.bytes : 0) + stats.loaded;
var loadedDuration = (level.loaded ? level.loaded.duration : 0) + duration;
level.loaded = {
bytes: loadedBytes,
duration: loadedDuration
};
level.realBitrate = Math.round(8 * loadedBytes / loadedDuration);
}
if (frag.bitrateTest) {
var fragBufferedData = {
stats: stats,
frag: frag,
part: part,
id: frag.type
};
this.onFragBuffered(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].FRAG_BUFFERED, fragBufferedData);
frag.bitrateTest = false;
}
}
};
_proto.onFragBuffered = function onFragBuffered(event, data) {
var frag = data.frag,
part = data.part;
var stats = part ? part.stats : frag.stats;
if (stats.aborted) {
return;
} // Only count non-alt-audio frags which were actually buffered in our BW calculations
if (frag.type !== _types_loader__WEBPACK_IMPORTED_MODULE_5__["PlaylistLevelType"].MAIN || frag.sn === 'initSegment') {
return;
} // Use the difference between parsing and request instead of buffering and request to compute fragLoadingProcessing;
// rationale is that buffer appending only happens once media is attached. This can happen when config.startFragPrefetch
// is used. If we used buffering in that case, our BW estimate sample will be very large.
var processingMs = stats.parsing.end - stats.loading.start;
this.bwEstimator.sample(processingMs, stats.loaded);
stats.bwEstimate = this.bwEstimator.getEstimate();
if (frag.bitrateTest) {
this.bitrateTestDelay = processingMs / 1000;
} else {
this.bitrateTestDelay = 0;
}
};
_proto.onError = function onError(event, data) {
// stop timer in case of frag loading error
switch (data.details) {
case _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorDetails"].FRAG_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorDetails"].FRAG_LOAD_TIMEOUT:
this.clearTimer();
break;
default:
break;
}
};
_proto.clearTimer = function clearTimer() {
self.clearInterval(this.timer);
this.timer = undefined;
} // return next auto level
;
_proto.getNextABRAutoLevel = function getNextABRAutoLevel() {
var fragCurrent = this.fragCurrent,
partCurrent = this.partCurrent,
hls = this.hls;
var maxAutoLevel = hls.maxAutoLevel,
config = hls.config,
minAutoLevel = hls.minAutoLevel,
media = hls.media;
var currentFragDuration = partCurrent ? partCurrent.duration : fragCurrent ? fragCurrent.duration : 0;
var pos = media ? media.currentTime : 0; // playbackRate is the absolute value of the playback rate; if media.playbackRate is 0, we use 1 to load as
// if we're playing back at the normal rate.
var playbackRate = media && media.playbackRate !== 0 ? Math.abs(media.playbackRate) : 1.0;
var avgbw = this.bwEstimator ? this.bwEstimator.getEstimate() : config.abrEwmaDefaultEstimate; // bufferStarvationDelay is the wall-clock time left until the playback buffer is exhausted.
var bufferStarvationDelay = (_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].bufferInfo(media, pos, config.maxBufferHole).end - pos) / playbackRate; // First, look to see if we can find a level matching with our avg bandwidth AND that could also guarantee no rebuffering at all
var bestLevel = this.findBestLevel(avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay, config.abrBandWidthFactor, config.abrBandWidthUpFactor);
if (bestLevel >= 0) {
return bestLevel;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].trace((bufferStarvationDelay ? 'rebuffering expected' : 'buffer is empty') + ", finding optimal quality level"); // not possible to get rid of rebuffering ... let's try to find level that will guarantee less than maxStarvationDelay of rebuffering
// if no matching level found, logic will return 0
var maxStarvationDelay = currentFragDuration ? Math.min(currentFragDuration, config.maxStarvationDelay) : config.maxStarvationDelay;
var bwFactor = config.abrBandWidthFactor;
var bwUpFactor = config.abrBandWidthUpFactor;
if (!bufferStarvationDelay) {
// in case buffer is empty, let's check if previous fragment was loaded to perform a bitrate test
var bitrateTestDelay = this.bitrateTestDelay;
if (bitrateTestDelay) {
// if it is the case, then we need to adjust our max starvation delay using maxLoadingDelay config value
// max video loading delay used in automatic start level selection :
// in that mode ABR controller will ensure that video loading time (ie the time to fetch the first fragment at lowest quality level +
// the time to fetch the fragment at the appropriate quality level is less than ```maxLoadingDelay``` )
// cap maxLoadingDelay and ensure it is not bigger 'than bitrate test' frag duration
var maxLoadingDelay = currentFragDuration ? Math.min(currentFragDuration, config.maxLoadingDelay) : config.maxLoadingDelay;
maxStarvationDelay = maxLoadingDelay - bitrateTestDelay;
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].trace("bitrate test took " + Math.round(1000 * bitrateTestDelay) + "ms, set first fragment max fetchDuration to " + Math.round(1000 * maxStarvationDelay) + " ms"); // don't use conservative factor on bitrate test
bwFactor = bwUpFactor = 1;
}
}
bestLevel = this.findBestLevel(avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay + maxStarvationDelay, bwFactor, bwUpFactor);
return Math.max(bestLevel, 0);
};
_proto.findBestLevel = function findBestLevel(currentBw, minAutoLevel, maxAutoLevel, maxFetchDuration, bwFactor, bwUpFactor) {
var _level$details;
var fragCurrent = this.fragCurrent,
partCurrent = this.partCurrent,
currentLevel = this.lastLoadedFragLevel;
var levels = this.hls.levels;
var level = levels[currentLevel];
var live = !!(level !== null && level !== void 0 && (_level$details = level.details) !== null && _level$details !== void 0 && _level$details.live);
var currentCodecSet = level === null || level === void 0 ? void 0 : level.codecSet;
var currentFragDuration = partCurrent ? partCurrent.duration : fragCurrent ? fragCurrent.duration : 0;
for (var i = maxAutoLevel; i >= minAutoLevel; i--) {
var levelInfo = levels[i];
if (!levelInfo || currentCodecSet && levelInfo.codecSet !== currentCodecSet) {
continue;
}
var levelDetails = levelInfo.details;
var avgDuration = (partCurrent ? levelDetails === null || levelDetails === void 0 ? void 0 : levelDetails.partTarget : levelDetails === null || levelDetails === void 0 ? void 0 : levelDetails.averagetargetduration) || currentFragDuration;
var adjustedbw = void 0; // follow algorithm captured from stagefright :
// https://android.googlesource.com/platform/frameworks/av/+/master/media/libstagefright/httplive/LiveSession.cpp
// Pick the highest bandwidth stream below or equal to estimated bandwidth.
// consider only 80% of the available bandwidth, but if we are switching up,
// be even more conservative (70%) to avoid overestimating and immediately
// switching back.
if (i <= currentLevel) {
adjustedbw = bwFactor * currentBw;
} else {
adjustedbw = bwUpFactor * currentBw;
}
var bitrate = levels[i].maxBitrate;
var fetchDuration = bitrate * avgDuration / adjustedbw;
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].trace("level/adjustedbw/bitrate/avgDuration/maxFetchDuration/fetchDuration: " + i + "/" + Math.round(adjustedbw) + "/" + bitrate + "/" + avgDuration + "/" + maxFetchDuration + "/" + fetchDuration); // if adjusted bw is greater than level bitrate AND
if (adjustedbw > bitrate && ( // fragment fetchDuration unknown OR live stream OR fragment fetchDuration less than max allowed fetch duration, then this level matches
// we don't account for max Fetch Duration for live streams, this is to avoid switching down when near the edge of live sliding window ...
// special case to support startLevel = -1 (bitrateTest) on live streams : in that case we should not exit loop so that findBestLevel will return -1
!fetchDuration || live && !this.bitrateTestDelay || fetchDuration < maxFetchDuration)) {
// as we are looping from highest to lowest, this will return the best achievable quality level
return i;
}
} // not enough time budget even with quality level 0 ... rebuffering might happen
return -1;
};
_createClass(AbrController, [{
key: "nextAutoLevel",
get: function get() {
var forcedAutoLevel = this._nextAutoLevel;
var bwEstimator = this.bwEstimator; // in case next auto level has been forced, and bw not available or not reliable, return forced value
if (forcedAutoLevel !== -1 && (!bwEstimator || !bwEstimator.canEstimate())) {
return forcedAutoLevel;
} // compute next level using ABR logic
var nextABRAutoLevel = this.getNextABRAutoLevel(); // if forced auto level has been defined, use it to cap ABR computed quality level
if (forcedAutoLevel !== -1) {
nextABRAutoLevel = Math.min(forcedAutoLevel, nextABRAutoLevel);
}
return nextABRAutoLevel;
},
set: function set(nextLevel) {
this._nextAutoLevel = nextLevel;
}
}]);
return AbrController;
}();
/* harmony default export */ __webpack_exports__["default"] = (AbrController);
/***/ }),
/***/ "./src/controller/base-playlist-controller.ts":
/*!****************************************************!*\
!*** ./src/controller/base-playlist-controller.ts ***!
\****************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return BasePlaylistController; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _types_level__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../types/level */ "./src/types/level.ts");
/* harmony import */ var _level_helper__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./level-helper */ "./src/controller/level-helper.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
var BasePlaylistController = /*#__PURE__*/function () {
function BasePlaylistController(hls, logPrefix) {
this.hls = void 0;
this.timer = -1;
this.canLoad = false;
this.retryCount = 0;
this.log = void 0;
this.warn = void 0;
this.log = _utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].log.bind(_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"], logPrefix + ":");
this.warn = _utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn.bind(_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"], logPrefix + ":");
this.hls = hls;
}
var _proto = BasePlaylistController.prototype;
_proto.destroy = function destroy() {
this.clearTimer(); // @ts-ignore
this.hls = this.log = this.warn = null;
};
_proto.onError = function onError(event, data) {
if (data.fatal && data.type === _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorTypes"].NETWORK_ERROR) {
this.clearTimer();
}
};
_proto.clearTimer = function clearTimer() {
clearTimeout(this.timer);
this.timer = -1;
};
_proto.startLoad = function startLoad() {
this.canLoad = true;
this.retryCount = 0;
this.loadPlaylist();
};
_proto.stopLoad = function stopLoad() {
this.canLoad = false;
this.clearTimer();
};
_proto.switchParams = function switchParams(playlistUri, previous) {
var renditionReports = previous === null || previous === void 0 ? void 0 : previous.renditionReports;
if (renditionReports) {
for (var i = 0; i < renditionReports.length; i++) {
var attr = renditionReports[i];
var uri = '' + attr.URI;
if (uri === playlistUri.substr(-uri.length)) {
var msn = parseInt(attr['LAST-MSN']);
var part = parseInt(attr['LAST-PART']);
if (previous && this.hls.config.lowLatencyMode) {
var currentGoal = Math.min(previous.age - previous.partTarget, previous.targetduration);
if (part !== undefined && currentGoal > previous.partTarget) {
part += 1;
}
}
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(msn)) {
return new _types_level__WEBPACK_IMPORTED_MODULE_1__["HlsUrlParameters"](msn, Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(part) ? part : undefined, _types_level__WEBPACK_IMPORTED_MODULE_1__["HlsSkip"].No);
}
}
}
}
};
_proto.loadPlaylist = function loadPlaylist(hlsUrlParameters) {};
_proto.shouldLoadTrack = function shouldLoadTrack(track) {
return this.canLoad && track && !!track.url && (!track.details || track.details.live);
};
_proto.playlistLoaded = function playlistLoaded(index, data, previousDetails) {
var _this = this;
var details = data.details,
stats = data.stats; // Set last updated date-time
var elapsed = stats.loading.end ? Math.max(0, self.performance.now() - stats.loading.end) : 0;
details.advancedDateTime = Date.now() - elapsed; // if current playlist is a live playlist, arm a timer to reload it
if (details.live || previousDetails !== null && previousDetails !== void 0 && previousDetails.live) {
details.reloaded(previousDetails);
if (previousDetails) {
this.log("live playlist " + index + " " + (details.advanced ? 'REFRESHED ' + details.lastPartSn + '-' + details.lastPartIndex : 'MISSED'));
} // Merge live playlists to adjust fragment starts and fill in delta playlist skipped segments
if (previousDetails && details.fragments.length > 0) {
_level_helper__WEBPACK_IMPORTED_MODULE_2__["mergeDetails"](previousDetails, details);
if (!details.advanced) {
details.advancedDateTime = previousDetails.advancedDateTime;
}
}
if (!this.canLoad || !details.live) {
return;
}
if (details.canBlockReload && details.endSN && details.advanced) {
var _data$deliveryDirecti;
// Load level with LL-HLS delivery directives
var lowLatencyMode = this.hls.config.lowLatencyMode;
var lastPartIndex = details.lastPartIndex;
var msn;
var part;
if (lowLatencyMode) {
msn = lastPartIndex !== -1 ? details.lastPartSn : details.endSN + 1;
part = lastPartIndex !== -1 ? lastPartIndex + 1 : undefined;
} else {
// This playlist update will be late by one part (0). There is no way to know the last part number,
// or request just the next sn without a part in most implementations.
msn = lastPartIndex !== -1 ? details.lastPartSn + 1 : details.endSN + 1;
part = lastPartIndex !== -1 ? 0 : undefined;
} // Low-Latency CDN Tune-in: "age" header and time since load indicates we're behind by more than one part
// Update directives to obtain the Playlist that has the estimated additional duration of media
var lastAdvanced = details.age;
var cdnAge = lastAdvanced + details.ageHeader;
var currentGoal = Math.min(cdnAge - details.partTarget, details.targetduration * 1.5);
if (currentGoal > 0) {
if (previousDetails && currentGoal > previousDetails.tuneInGoal) {
// If we attempted to get the next or latest playlist update, but currentGoal increased,
// then we either can't catchup, or the "age" header cannot be trusted.
this.warn("CDN Tune-in goal increased from: " + previousDetails.tuneInGoal + " to: " + currentGoal + " with playlist age: " + details.age);
currentGoal = 0;
} else {
var segments = Math.floor(currentGoal / details.targetduration);
msn += segments;
if (part !== undefined) {
var parts = Math.round(currentGoal % details.targetduration / details.partTarget);
part += parts;
}
this.log("CDN Tune-in age: " + details.ageHeader + "s last advanced " + lastAdvanced.toFixed(2) + "s goal: " + currentGoal + " skip sn " + segments + " to part " + part);
}
details.tuneInGoal = currentGoal;
}
var skip = Object(_types_level__WEBPACK_IMPORTED_MODULE_1__["getSkipValue"])(details, msn);
if ((_data$deliveryDirecti = data.deliveryDirectives) !== null && _data$deliveryDirecti !== void 0 && _data$deliveryDirecti.skip) {
if (details.deltaUpdateFailed) {
msn = data.deliveryDirectives.msn;
part = data.deliveryDirectives.part;
skip = _types_level__WEBPACK_IMPORTED_MODULE_1__["HlsSkip"].No;
}
}
this.loadPlaylist(new _types_level__WEBPACK_IMPORTED_MODULE_1__["HlsUrlParameters"](msn, part, skip));
return;
}
var reloadInterval = Object(_level_helper__WEBPACK_IMPORTED_MODULE_2__["computeReloadInterval"])(details, stats);
this.log("reload live playlist " + index + " in " + Math.round(reloadInterval) + " ms");
this.timer = self.setTimeout(function () {
return _this.loadPlaylist();
}, reloadInterval);
} else {
this.clearTimer();
}
};
_proto.retryLoadingOrFail = function retryLoadingOrFail(errorEvent) {
var _this2 = this;
var config = this.hls.config;
var retry = this.retryCount < config.levelLoadingMaxRetry;
if (retry) {
var _errorEvent$context;
this.retryCount++;
if (errorEvent.details.indexOf('LoadTimeOut') > -1 && (_errorEvent$context = errorEvent.context) !== null && _errorEvent$context !== void 0 && _errorEvent$context.deliveryDirectives) {
// The LL-HLS request already timed out so retry immediately
this.warn("retry playlist loading #" + this.retryCount + " after \"" + errorEvent.details + "\"");
this.loadPlaylist();
} else {
// exponential backoff capped to max retry timeout
var delay = Math.min(Math.pow(2, this.retryCount) * config.levelLoadingRetryDelay, config.levelLoadingMaxRetryTimeout); // Schedule level/track reload
this.timer = self.setTimeout(function () {
return _this2.loadPlaylist();
}, delay);
this.warn("retry playlist loading #" + this.retryCount + " in " + delay + " ms after \"" + errorEvent.details + "\"");
}
} else {
this.warn("cannot recover from error \"" + errorEvent.details + "\""); // stopping live reloading timer if any
this.clearTimer(); // switch error to fatal
errorEvent.fatal = true;
}
return retry;
};
return BasePlaylistController;
}();
/***/ }),
/***/ "./src/controller/base-stream-controller.ts":
/*!**************************************************!*\
!*** ./src/controller/base-stream-controller.ts ***!
\**************************************************/
/*! exports provided: State, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "State", function() { return State; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return BaseStreamController; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _task_loop__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../task-loop */ "./src/task-loop.ts");
/* harmony import */ var _fragment_tracker__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./fragment-tracker */ "./src/controller/fragment-tracker.ts");
/* harmony import */ var _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/buffer-helper */ "./src/utils/buffer-helper.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _level_helper__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./level-helper */ "./src/controller/level-helper.ts");
/* harmony import */ var _types_transmuxer__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../types/transmuxer */ "./src/types/transmuxer.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _utils_discontinuities__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../utils/discontinuities */ "./src/utils/discontinuities.ts");
/* harmony import */ var _fragment_finders__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./fragment-finders */ "./src/controller/fragment-finders.ts");
/* harmony import */ var _loader_fragment_loader__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../loader/fragment-loader */ "./src/loader/fragment-loader.ts");
/* harmony import */ var _crypt_decrypter__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../crypt/decrypter */ "./src/crypt/decrypter.ts");
/* harmony import */ var _utils_time_ranges__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../utils/time-ranges */ "./src/utils/time-ranges.ts");
/* harmony import */ var _types_loader__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../types/loader */ "./src/types/loader.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; }
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
var State = {
STOPPED: 'STOPPED',
IDLE: 'IDLE',
KEY_LOADING: 'KEY_LOADING',
FRAG_LOADING: 'FRAG_LOADING',
FRAG_LOADING_WAITING_RETRY: 'FRAG_LOADING_WAITING_RETRY',
WAITING_TRACK: 'WAITING_TRACK',
PARSING: 'PARSING',
PARSED: 'PARSED',
BACKTRACKING: 'BACKTRACKING',
ENDED: 'ENDED',
ERROR: 'ERROR',
WAITING_INIT_PTS: 'WAITING_INIT_PTS',
WAITING_LEVEL: 'WAITING_LEVEL'
};
var BaseStreamController = /*#__PURE__*/function (_TaskLoop) {
_inheritsLoose(BaseStreamController, _TaskLoop);
function BaseStreamController(hls, fragmentTracker, logPrefix) {
var _this;
_this = _TaskLoop.call(this) || this;
_this.hls = void 0;
_this.fragPrevious = null;
_this.fragCurrent = null;
_this.fragmentTracker = void 0;
_this.transmuxer = null;
_this._state = State.STOPPED;
_this.media = void 0;
_this.mediaBuffer = void 0;
_this.config = void 0;
_this.bitrateTest = false;
_this.lastCurrentTime = 0;
_this.nextLoadPosition = 0;
_this.startPosition = 0;
_this.loadedmetadata = false;
_this.fragLoadError = 0;
_this.retryDate = 0;
_this.levels = null;
_this.fragmentLoader = void 0;
_this.levelLastLoaded = null;
_this.startFragRequested = false;
_this.decrypter = void 0;
_this.initPTS = [];
_this.onvseeking = null;
_this.onvended = null;
_this.logPrefix = '';
_this.log = void 0;
_this.warn = void 0;
_this.logPrefix = logPrefix;
_this.log = _utils_logger__WEBPACK_IMPORTED_MODULE_4__["logger"].log.bind(_utils_logger__WEBPACK_IMPORTED_MODULE_4__["logger"], logPrefix + ":");
_this.warn = _utils_logger__WEBPACK_IMPORTED_MODULE_4__["logger"].warn.bind(_utils_logger__WEBPACK_IMPORTED_MODULE_4__["logger"], logPrefix + ":");
_this.hls = hls;
_this.fragmentLoader = new _loader_fragment_loader__WEBPACK_IMPORTED_MODULE_12__["default"](hls.config);
_this.fragmentTracker = fragmentTracker;
_this.config = hls.config;
_this.decrypter = new _crypt_decrypter__WEBPACK_IMPORTED_MODULE_13__["default"](hls, hls.config);
hls.on(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].KEY_LOADED, _this.onKeyLoaded, _assertThisInitialized(_this));
return _this;
}
var _proto = BaseStreamController.prototype;
_proto.doTick = function doTick() {
this.onTickEnd();
};
_proto.onTickEnd = function onTickEnd() {} // eslint-disable-next-line @typescript-eslint/no-unused-vars
;
_proto.startLoad = function startLoad(startPosition) {};
_proto.stopLoad = function stopLoad() {
this.fragmentLoader.abort();
var frag = this.fragCurrent;
if (frag) {
this.fragmentTracker.removeFragment(frag);
}
if (this.transmuxer) {
this.transmuxer.destroy();
this.transmuxer = null;
}
this.fragCurrent = null;
this.fragPrevious = null;
this.clearInterval();
this.clearNextTick();
this.state = State.STOPPED;
};
_proto._streamEnded = function _streamEnded(bufferInfo, levelDetails) {
var fragCurrent = this.fragCurrent,
fragmentTracker = this.fragmentTracker; // we just got done loading the final fragment and there is no other buffered range after ...
// rationale is that in case there are any buffered ranges after, it means that there are unbuffered portion in between
// so we should not switch to ENDED in that case, to be able to buffer them
if (!levelDetails.live && fragCurrent && fragCurrent.sn === levelDetails.endSN && !bufferInfo.nextStart) {
var fragState = fragmentTracker.getState(fragCurrent);
return fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_2__["FragmentState"].PARTIAL || fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_2__["FragmentState"].OK;
}
return false;
};
_proto.onMediaAttached = function onMediaAttached(event, data) {
var media = this.media = this.mediaBuffer = data.media;
this.onvseeking = this.onMediaSeeking.bind(this);
this.onvended = this.onMediaEnded.bind(this);
media.addEventListener('seeking', this.onvseeking);
media.addEventListener('ended', this.onvended);
var config = this.config;
if (this.levels && config.autoStartLoad && this.state === State.STOPPED) {
this.startLoad(config.startPosition);
}
};
_proto.onMediaDetaching = function onMediaDetaching() {
var media = this.media;
if (media !== null && media !== void 0 && media.ended) {
this.log('MSE detaching and video ended, reset startPosition');
this.startPosition = this.lastCurrentTime = 0;
} // remove video listeners
if (media) {
media.removeEventListener('seeking', this.onvseeking);
media.removeEventListener('ended', this.onvended);
this.onvseeking = this.onvended = null;
}
this.media = this.mediaBuffer = null;
this.loadedmetadata = false;
this.fragmentTracker.removeAllFragments();
this.stopLoad();
};
_proto.onMediaSeeking = function onMediaSeeking() {
var config = this.config,
fragCurrent = this.fragCurrent,
media = this.media,
mediaBuffer = this.mediaBuffer,
state = this.state;
var currentTime = media ? media.currentTime : null;
var bufferInfo = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].bufferInfo(mediaBuffer || media, currentTime, config.maxBufferHole);
this.log("media seeking to " + (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(currentTime) ? currentTime.toFixed(3) : currentTime) + ", state: " + state);
if (state === State.ENDED) {
// if seeking to unbuffered area, clean up fragPrevious
if (!bufferInfo.len) {
this.fragPrevious = null;
this.fragCurrent = null;
} // switch to IDLE state to check for potential new fragment
this.state = State.IDLE;
} else if (fragCurrent && !bufferInfo.len) {
// check if we are seeking to a unbuffered area AND if frag loading is in progress
var tolerance = config.maxFragLookUpTolerance;
var fragStartOffset = fragCurrent.start - tolerance;
var fragEndOffset = fragCurrent.start + fragCurrent.duration + tolerance; // check if the seek position will be out of currently loaded frag range : if out cancel frag load, if in, don't do anything
if (currentTime < fragStartOffset || currentTime > fragEndOffset) {
if (fragCurrent.loader) {
this.log('seeking outside of buffer while fragment load in progress, cancel fragment load');
fragCurrent.loader.abort();
}
this.fragCurrent = null;
this.fragPrevious = null; // switch to IDLE state to load new fragment
this.state = State.IDLE;
}
}
if (media) {
this.lastCurrentTime = currentTime;
} // in case seeking occurs although no media buffered, adjust startPosition and nextLoadPosition to seek target
if (!this.loadedmetadata && !bufferInfo.len) {
this.nextLoadPosition = this.startPosition = currentTime;
} // tick to speed up processing
this.tick();
};
_proto.onMediaEnded = function onMediaEnded() {
// reset startPosition and lastCurrentTime to restart playback @ stream beginning
this.startPosition = this.lastCurrentTime = 0;
};
_proto.onKeyLoaded = function onKeyLoaded(event, data) {
if (this.state === State.KEY_LOADING && this.levels) {
this.state = State.IDLE;
var levelDetails = this.levels[data.frag.level].details;
if (levelDetails) {
this.loadFragment(data.frag, levelDetails, data.frag.start);
}
}
};
_proto.onHandlerDestroying = function onHandlerDestroying() {
this.stopLoad();
_TaskLoop.prototype.onHandlerDestroying.call(this);
};
_proto.onHandlerDestroyed = function onHandlerDestroyed() {
this.state = State.STOPPED;
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].KEY_LOADED, this.onKeyLoaded, this);
if (this.fragmentLoader) {
this.fragmentLoader.destroy();
}
if (this.decrypter) {
this.decrypter.destroy();
} // @ts-ignore
this.hls = this.log = this.warn = this.decrypter = this.fragmentLoader = this.fragmentTracker = null;
_TaskLoop.prototype.onHandlerDestroyed.call(this);
};
_proto.loadFragment = function loadFragment(frag, levelDetails, targetBufferTime) {
this._loadFragForPlayback(frag, levelDetails, targetBufferTime);
};
_proto._loadFragForPlayback = function _loadFragForPlayback(frag, levelDetails, targetBufferTime) {
var _this2 = this;
var progressCallback = function progressCallback(data) {
if (_this2.fragContextChanged(frag)) {
_this2.warn("Fragment " + frag.sn + (data.part ? ' p: ' + data.part.index : '') + " of level " + frag.level + " was dropped during download.");
_this2.fragmentTracker.removeFragment(frag);
return;
}
frag.stats.chunkCount++;
_this2._handleFragmentLoadProgress(data);
};
this._doFragLoad(frag, levelDetails, targetBufferTime, progressCallback).then(function (data) {
if (!data) {
// if we're here we probably needed to backtrack or are waiting for more parts
return;
}
_this2.fragLoadError = 0;
if (_this2.fragContextChanged(frag)) {
if (_this2.state === State.FRAG_LOADING || _this2.state === State.BACKTRACKING) {
_this2.fragmentTracker.removeFragment(frag);
_this2.state = State.IDLE;
}
return;
}
if ('payload' in data) {
_this2.log("Loaded fragment " + frag.sn + " of level " + frag.level);
_this2.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_LOADED, data); // Tracker backtrack must be called after onFragLoaded to update the fragment entity state to BACKTRACKED
// This happens after handleTransmuxComplete when the worker or progressive is disabled
if (_this2.state === State.BACKTRACKING) {
_this2.fragmentTracker.backtrack(frag, data);
_this2.resetFragmentLoading(frag);
return;
}
} // Pass through the whole payload; controllers not implementing progressive loading receive data from this callback
_this2._handleFragmentLoadComplete(data);
}).catch(function (reason) {
_this2.warn(reason);
_this2.resetFragmentLoading(frag);
});
};
_proto.flushMainBuffer = function flushMainBuffer(startOffset, endOffset, type) {
if (type === void 0) {
type = null;
}
// When alternate audio is playing, the audio-stream-controller is responsible for the audio buffer. Otherwise,
// passing a null type flushes both buffers
var flushScope = {
startOffset: startOffset,
endOffset: endOffset,
type: type
}; // Reset load errors on flush
this.fragLoadError = 0;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].BUFFER_FLUSHING, flushScope);
};
_proto._loadInitSegment = function _loadInitSegment(frag) {
var _this3 = this;
this._doFragLoad(frag).then(function (data) {
if (!data || _this3.fragContextChanged(frag) || !_this3.levels) {
throw new Error('init load aborted');
}
return data;
}).then(function (data) {
var hls = _this3.hls;
var payload = data.payload;
var decryptData = frag.decryptdata; // check to see if the payload needs to be decrypted
if (payload && payload.byteLength > 0 && decryptData && decryptData.key && decryptData.iv && decryptData.method === 'AES-128') {
var startTime = self.performance.now(); // decrypt the subtitles
return _this3.decrypter.webCryptoDecrypt(new Uint8Array(payload), decryptData.key.buffer, decryptData.iv.buffer).then(function (decryptedData) {
var endTime = self.performance.now();
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_DECRYPTED, {
frag: frag,
payload: decryptedData,
stats: {
tstart: startTime,
tdecrypt: endTime
}
});
data.payload = decryptedData;
return data;
});
}
return data;
}).then(function (data) {
var fragCurrent = _this3.fragCurrent,
hls = _this3.hls,
levels = _this3.levels;
if (!levels) {
throw new Error('init load aborted, missing levels');
}
var details = levels[frag.level].details;
console.assert(details, 'Level details are defined when init segment is loaded');
var initSegment = details.initSegment;
console.assert(initSegment, 'Fragment initSegment is defined when init segment is loaded');
var stats = frag.stats;
_this3.state = State.IDLE;
_this3.fragLoadError = 0;
initSegment.data = new Uint8Array(data.payload);
stats.parsing.start = stats.buffering.start = self.performance.now();
stats.parsing.end = stats.buffering.end = self.performance.now(); // Silence FRAG_BUFFERED event if fragCurrent is null
if (data.frag === fragCurrent) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_BUFFERED, {
stats: stats,
frag: fragCurrent,
part: null,
id: frag.type
});
}
_this3.tick();
}).catch(function (reason) {
_this3.warn(reason);
_this3.resetFragmentLoading(frag);
});
};
_proto.fragContextChanged = function fragContextChanged(frag) {
var fragCurrent = this.fragCurrent;
return !frag || !fragCurrent || frag.level !== fragCurrent.level || frag.sn !== fragCurrent.sn || frag.urlId !== fragCurrent.urlId;
};
_proto.fragBufferedComplete = function fragBufferedComplete(frag, part) {
var media = this.mediaBuffer ? this.mediaBuffer : this.media;
this.log("Buffered " + frag.type + " sn: " + frag.sn + (part ? ' part: ' + part.index : '') + " of " + (this.logPrefix === '[stream-controller]' ? 'level' : 'track') + " " + frag.level + " " + _utils_time_ranges__WEBPACK_IMPORTED_MODULE_14__["default"].toString(_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].getBuffered(media)));
this.state = State.IDLE;
this.tick();
};
_proto._handleFragmentLoadComplete = function _handleFragmentLoadComplete(fragLoadedEndData) {
var transmuxer = this.transmuxer;
if (!transmuxer) {
return;
}
var frag = fragLoadedEndData.frag,
part = fragLoadedEndData.part,
partsLoaded = fragLoadedEndData.partsLoaded; // If we did not load parts, or loaded all parts, we have complete (not partial) fragment data
var complete = !partsLoaded || partsLoaded.length === 0 || partsLoaded.some(function (fragLoaded) {
return !fragLoaded;
});
var chunkMeta = new _types_transmuxer__WEBPACK_IMPORTED_MODULE_8__["ChunkMetadata"](frag.level, frag.sn, frag.stats.chunkCount + 1, 0, part ? part.index : -1, !complete);
transmuxer.flush(chunkMeta);
} // eslint-disable-next-line @typescript-eslint/no-unused-vars
;
_proto._handleFragmentLoadProgress = function _handleFragmentLoadProgress(frag) {};
_proto._doFragLoad = function _doFragLoad(frag, details, targetBufferTime, progressCallback) {
var _this4 = this;
if (targetBufferTime === void 0) {
targetBufferTime = null;
}
if (!this.levels) {
throw new Error('frag load aborted, missing levels');
}
targetBufferTime = Math.max(frag.start, targetBufferTime || 0);
if (this.config.lowLatencyMode && details) {
var partList = details.partList;
if (partList && progressCallback) {
if (targetBufferTime > frag.end && details.fragmentHint) {
frag = details.fragmentHint;
}
var partIndex = this.getNextPart(partList, frag, targetBufferTime);
if (partIndex > -1) {
var part = partList[partIndex];
this.log("Loading part sn: " + frag.sn + " p: " + part.index + " cc: " + frag.cc + " of playlist [" + details.startSN + "-" + details.endSN + "] parts [0-" + partIndex + "-" + (partList.length - 1) + "] " + (this.logPrefix === '[stream-controller]' ? 'level' : 'track') + ": " + frag.level + ", target: " + parseFloat(targetBufferTime.toFixed(3)));
this.nextLoadPosition = part.start + part.duration;
this.state = State.FRAG_LOADING;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_LOADING, {
frag: frag,
part: partList[partIndex],
targetBufferTime: targetBufferTime
});
return this.doFragPartsLoad(frag, partList, partIndex, progressCallback).catch(function (error) {
return _this4.handleFragLoadError(error);
});
} else if (!frag.url || this.loadedEndOfParts(partList, targetBufferTime)) {
// Fragment hint has no parts
return Promise.resolve(null);
}
}
}
this.log("Loading fragment " + frag.sn + " cc: " + frag.cc + " " + (details ? 'of [' + details.startSN + '-' + details.endSN + '] ' : '') + (this.logPrefix === '[stream-controller]' ? 'level' : 'track') + ": " + frag.level + ", target: " + parseFloat(targetBufferTime.toFixed(3))); // Don't update nextLoadPosition for fragments which are not buffered
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(frag.sn) && !this.bitrateTest) {
this.nextLoadPosition = frag.start + frag.duration;
}
this.state = State.FRAG_LOADING;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_LOADING, {
frag: frag,
targetBufferTime: targetBufferTime
});
return this.fragmentLoader.load(frag, progressCallback).catch(function (error) {
return _this4.handleFragLoadError(error);
});
};
_proto.doFragPartsLoad = function doFragPartsLoad(frag, partList, partIndex, progressCallback) {
var _this5 = this;
return new Promise(function (resolve, reject) {
var partsLoaded = [];
var loadPartIndex = function loadPartIndex(index) {
var part = partList[index];
_this5.fragmentLoader.loadPart(frag, part, progressCallback).then(function (partLoadedData) {
partsLoaded[part.index] = partLoadedData;
var loadedPart = partLoadedData.part;
_this5.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_LOADED, partLoadedData);
var nextPart = partList[index + 1];
if (nextPart && nextPart.fragment === frag) {
loadPartIndex(index + 1);
} else {
return resolve({
frag: frag,
part: loadedPart,
partsLoaded: partsLoaded
});
}
}).catch(reject);
};
loadPartIndex(partIndex);
});
};
_proto.handleFragLoadError = function handleFragLoadError(_ref) {
var data = _ref.data;
if (data && data.details === _errors__WEBPACK_IMPORTED_MODULE_6__["ErrorDetails"].INTERNAL_ABORTED) {
this.handleFragLoadAborted(data.frag, data.part);
} else {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].ERROR, data);
}
return null;
};
_proto._handleTransmuxerFlush = function _handleTransmuxerFlush(chunkMeta) {
var context = this.getCurrentContext(chunkMeta);
if (!context || this.state !== State.PARSING) {
if (!this.fragCurrent) {
this.state = State.IDLE;
}
return;
}
var frag = context.frag,
part = context.part,
level = context.level;
var now = self.performance.now();
frag.stats.parsing.end = now;
if (part) {
part.stats.parsing.end = now;
}
this.updateLevelTiming(frag, part, level, chunkMeta.partial);
};
_proto.getCurrentContext = function getCurrentContext(chunkMeta) {
var levels = this.levels;
var levelIndex = chunkMeta.level,
sn = chunkMeta.sn,
partIndex = chunkMeta.part;
if (!levels || !levels[levelIndex]) {
this.warn("Levels object was unset while buffering fragment " + sn + " of level " + levelIndex + ". The current chunk will not be buffered.");
return null;
}
var level = levels[levelIndex];
var part = partIndex > -1 ? _level_helper__WEBPACK_IMPORTED_MODULE_7__["getPartWith"](level, sn, partIndex) : null;
var frag = part ? part.fragment : _level_helper__WEBPACK_IMPORTED_MODULE_7__["getFragmentWithSN"](level, sn);
if (!frag) {
return null;
}
return {
frag: frag,
part: part,
level: level
};
};
_proto.bufferFragmentData = function bufferFragmentData(data, frag, part, chunkMeta) {
if (!data || this.state !== State.PARSING) {
return;
}
var data1 = data.data1,
data2 = data.data2;
var buffer = data1;
if (data1 && data2) {
// Combine the moof + mdat so that we buffer with a single append
buffer = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_9__["appendUint8Array"])(data1, data2);
}
if (!buffer || !buffer.length) {
return;
}
var segment = {
type: data.type,
frag: frag,
part: part,
chunkMeta: chunkMeta,
parent: frag.type,
data: buffer
};
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].BUFFER_APPENDING, segment);
if (data.dropped && data.independent && !part) {
// Clear buffer so that we reload previous segments sequentially if required
this.flushBufferGap(frag);
}
};
_proto.flushBufferGap = function flushBufferGap(frag) {
var media = this.media;
if (!media) {
return;
} // If currentTime is not buffered, clear the back buffer so that we can backtrack as much as needed
if (!_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].isBuffered(media, media.currentTime)) {
this.flushMainBuffer(0, frag.start);
return;
} // Remove back-buffer without interrupting playback to allow back tracking
var currentTime = media.currentTime;
var bufferInfo = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].bufferInfo(media, currentTime, 0);
var fragDuration = frag.duration;
var segmentFraction = Math.min(this.config.maxFragLookUpTolerance * 2, fragDuration * 0.25);
var start = Math.max(Math.min(frag.start - segmentFraction, bufferInfo.end - segmentFraction), currentTime + segmentFraction);
if (frag.start - start > segmentFraction) {
this.flushMainBuffer(start, frag.start);
}
};
_proto.reduceMaxBufferLength = function reduceMaxBufferLength(threshold) {
var config = this.config;
var minLength = threshold || config.maxBufferLength;
if (config.maxMaxBufferLength >= minLength) {
// reduce max buffer length as it might be too high. we do this to avoid loop flushing ...
config.maxMaxBufferLength /= 2;
this.warn("Reduce max buffer length to " + config.maxMaxBufferLength + "s");
return true;
}
return false;
};
_proto.getNextFragment = function getNextFragment(pos, levelDetails) {
var fragments = levelDetails.fragments;
var fragLen = fragments.length;
if (!fragLen) {
return null;
} // find fragment index, contiguous with end of buffer position
var config = this.config;
var start = fragments[0].start;
var frag; // If an initSegment is present, it must be buffered first
if (levelDetails.initSegment && !levelDetails.initSegment.data && !this.bitrateTest) {
frag = levelDetails.initSegment;
} else if (levelDetails.live) {
var initialLiveManifestSize = config.initialLiveManifestSize;
if (fragLen < initialLiveManifestSize) {
this.warn("Not enough fragments to start playback (have: " + fragLen + ", need: " + initialLiveManifestSize + ")");
return null;
} // The real fragment start times for a live stream are only known after the PTS range for that level is known.
// In order to discover the range, we load the best matching fragment for that level and demux it.
// Do not load using live logic if the starting frag is requested - we want to use getFragmentAtPosition() so that
// we get the fragment matching that start time
if (!levelDetails.PTSKnown && !this.startFragRequested) {
frag = this.getInitialLiveFragment(levelDetails, fragments);
}
} else if (pos <= start) {
// VoD playlist: if loadPosition before start of playlist, load first fragment
frag = fragments[0];
} // If we haven't run into any special cases already, just load the fragment most closely matching the requested position
if (!frag) {
var end = config.lowLatencyMode ? levelDetails.partEnd : levelDetails.fragmentEnd;
frag = this.getFragmentAtPosition(pos, end, levelDetails);
}
return frag;
};
_proto.getNextPart = function getNextPart(partList, frag, targetBufferTime) {
var nextPart = -1;
var contiguous = false;
var independentAttrOmitted = true;
for (var i = 0, len = partList.length; i < len; i++) {
var part = partList[i];
independentAttrOmitted = independentAttrOmitted && !part.independent;
if (nextPart > -1 && targetBufferTime < part.start) {
break;
}
var loaded = part.loaded;
if (!loaded && (contiguous || part.independent || independentAttrOmitted) && part.fragment === frag) {
nextPart = i;
}
contiguous = loaded;
}
return nextPart;
};
_proto.loadedEndOfParts = function loadedEndOfParts(partList, targetBufferTime) {
var lastPart = partList[partList.length - 1];
return lastPart && targetBufferTime > lastPart.start && lastPart.loaded;
}
/*
This method is used find the best matching first fragment for a live playlist. This fragment is used to calculate the
"sliding" of the playlist, which is its offset from the start of playback. After sliding we can compute the real
start and end times for each fragment in the playlist (after which this method will not need to be called).
*/
;
_proto.getInitialLiveFragment = function getInitialLiveFragment(levelDetails, fragments) {
var fragPrevious = this.fragPrevious;
var frag = null;
if (fragPrevious) {
if (levelDetails.hasProgramDateTime) {
// Prefer using PDT, because it can be accurate enough to choose the correct fragment without knowing the level sliding
this.log("Live playlist, switching playlist, load frag with same PDT: " + fragPrevious.programDateTime);
frag = Object(_fragment_finders__WEBPACK_IMPORTED_MODULE_11__["findFragmentByPDT"])(fragments, fragPrevious.endProgramDateTime, this.config.maxFragLookUpTolerance);
}
if (!frag) {
// SN does not need to be accurate between renditions, but depending on the packaging it may be so.
var targetSN = fragPrevious.sn + 1;
if (targetSN >= levelDetails.startSN && targetSN <= levelDetails.endSN) {
var fragNext = fragments[targetSN - levelDetails.startSN]; // Ensure that we're staying within the continuity range, since PTS resets upon a new range
if (fragPrevious.cc === fragNext.cc) {
frag = fragNext;
this.log("Live playlist, switching playlist, load frag with next SN: " + frag.sn);
}
} // It's important to stay within the continuity range if available; otherwise the fragments in the playlist
// will have the wrong start times
if (!frag) {
frag = Object(_fragment_finders__WEBPACK_IMPORTED_MODULE_11__["findFragWithCC"])(fragments, fragPrevious.cc);
if (frag) {
this.log("Live playlist, switching playlist, load frag with same CC: " + frag.sn);
}
}
}
} else {
// Find a new start fragment when fragPrevious is null
var liveStart = this.hls.liveSyncPosition;
if (liveStart !== null) {
frag = this.getFragmentAtPosition(liveStart, this.bitrateTest ? levelDetails.fragmentEnd : levelDetails.edge, levelDetails);
}
}
return frag;
}
/*
This method finds the best matching fragment given the provided position.
*/
;
_proto.getFragmentAtPosition = function getFragmentAtPosition(bufferEnd, end, levelDetails) {
var config = this.config,
fragPrevious = this.fragPrevious;
var fragments = levelDetails.fragments,
endSN = levelDetails.endSN;
var fragmentHint = levelDetails.fragmentHint;
var tolerance = config.maxFragLookUpTolerance;
var loadingParts = !!(config.lowLatencyMode && levelDetails.partList && fragmentHint);
if (loadingParts && fragmentHint && !this.bitrateTest) {
// Include incomplete fragment with parts at end
fragments = fragments.concat(fragmentHint);
endSN = fragmentHint.sn;
}
var frag;
if (bufferEnd < end) {
var lookupTolerance = bufferEnd > end - tolerance ? 0 : tolerance; // Remove the tolerance if it would put the bufferEnd past the actual end of stream
// Uses buffer and sequence number to calculate switch segment (required if using EXT-X-DISCONTINUITY-SEQUENCE)
frag = Object(_fragment_finders__WEBPACK_IMPORTED_MODULE_11__["findFragmentByPTS"])(fragPrevious, fragments, bufferEnd, lookupTolerance);
} else {
// reach end of playlist
frag = fragments[fragments.length - 1];
}
if (frag) {
var curSNIdx = frag.sn - levelDetails.startSN;
var sameLevel = fragPrevious && frag.level === fragPrevious.level;
var nextFrag = fragments[curSNIdx + 1];
var fragState = this.fragmentTracker.getState(frag);
if (fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_2__["FragmentState"].BACKTRACKED) {
frag = null;
var i = curSNIdx;
while (fragments[i] && this.fragmentTracker.getState(fragments[i]) === _fragment_tracker__WEBPACK_IMPORTED_MODULE_2__["FragmentState"].BACKTRACKED) {
// When fragPrevious is null, backtrack to first the first fragment is not BACKTRACKED for loading
// When fragPrevious is set, we want the first BACKTRACKED fragment for parsing and buffering
if (!fragPrevious) {
frag = fragments[--i];
} else {
frag = fragments[i--];
}
}
if (!frag) {
frag = nextFrag;
}
} else if (fragPrevious && frag.sn === fragPrevious.sn && !loadingParts) {
// Force the next fragment to load if the previous one was already selected. This can occasionally happen with
// non-uniform fragment durations
if (sameLevel) {
if (frag.sn < endSN && this.fragmentTracker.getState(nextFrag) !== _fragment_tracker__WEBPACK_IMPORTED_MODULE_2__["FragmentState"].OK) {
this.log("SN " + frag.sn + " just loaded, load next one: " + nextFrag.sn);
frag = nextFrag;
} else {
frag = null;
}
}
}
}
return frag;
};
_proto.synchronizeToLiveEdge = function synchronizeToLiveEdge(levelDetails) {
var config = this.config,
media = this.media;
if (!media) {
return;
}
var liveSyncPosition = this.hls.liveSyncPosition;
var currentTime = media.currentTime;
var start = levelDetails.fragments[0].start;
var end = levelDetails.edge; // Continue if we can seek forward to sync position or if current time is outside of sliding window
if (liveSyncPosition !== null && media.duration > liveSyncPosition && (currentTime < liveSyncPosition || currentTime < start - config.maxFragLookUpTolerance || currentTime > end)) {
// Continue if buffer is starving or if current time is behind max latency
var maxLatency = config.liveMaxLatencyDuration !== undefined ? config.liveMaxLatencyDuration : config.liveMaxLatencyDurationCount * levelDetails.targetduration;
if (media.readyState < 4 || currentTime < end - maxLatency) {
if (!this.loadedmetadata) {
this.nextLoadPosition = liveSyncPosition;
} // Only seek if ready and there is not a significant forward buffer available for playback
if (media.readyState) {
this.warn("Playback: " + currentTime.toFixed(3) + " is located too far from the end of live sliding playlist: " + end + ", reset currentTime to : " + liveSyncPosition.toFixed(3));
media.currentTime = liveSyncPosition;
}
}
}
};
_proto.alignPlaylists = function alignPlaylists(details, previousDetails) {
var levels = this.levels,
levelLastLoaded = this.levelLastLoaded;
var lastLevel = levelLastLoaded !== null ? levels[levelLastLoaded] : null; // FIXME: If not for `shouldAlignOnDiscontinuities` requiring fragPrevious.cc,
// this could all go in LevelHelper.mergeDetails
var sliding = 0;
if (previousDetails && details.fragments.length > 0) {
sliding = details.fragments[0].start;
if (details.alignedSliding && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(sliding)) {
this.log("Live playlist sliding:" + sliding.toFixed(3));
} else if (!sliding) {
this.warn("[" + this.constructor.name + "] Live playlist - outdated PTS, unknown sliding");
Object(_utils_discontinuities__WEBPACK_IMPORTED_MODULE_10__["alignStream"])(this.fragPrevious, lastLevel, details);
}
} else {
this.log('Live playlist - first load, unknown sliding');
Object(_utils_discontinuities__WEBPACK_IMPORTED_MODULE_10__["alignStream"])(this.fragPrevious, lastLevel, details);
}
return sliding;
};
_proto.waitForCdnTuneIn = function waitForCdnTuneIn(details) {
// Wait for Low-Latency CDN Tune-in to get an updated playlist
var advancePartLimit = 3;
return details.live && details.canBlockReload && details.tuneInGoal > Math.max(details.partHoldBack, details.partTarget * advancePartLimit);
};
_proto.setStartPosition = function setStartPosition(details, sliding) {
// compute start position if set to -1. use it straight away if value is defined
if (this.startPosition === -1 || this.lastCurrentTime === -1) {
// first, check if start time offset has been set in playlist, if yes, use this value
var startTimeOffset = details.startTimeOffset;
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(startTimeOffset)) {
if (startTimeOffset < 0) {
this.log("Negative start time offset " + startTimeOffset + ", count from end of last fragment");
startTimeOffset = sliding + details.totalduration + startTimeOffset;
}
this.log("Start time offset found in playlist, adjust startPosition to " + startTimeOffset);
this.startPosition = startTimeOffset;
} else {
if (details.live) {
this.startPosition = this.hls.liveSyncPosition || sliding;
this.log("Configure startPosition to " + this.startPosition);
} else {
this.startPosition = 0;
}
}
this.lastCurrentTime = this.startPosition;
}
this.nextLoadPosition = this.startPosition;
};
_proto.getLoadPosition = function getLoadPosition() {
var media = this.media; // if we have not yet loaded any fragment, start loading from start position
var pos = 0;
if (this.loadedmetadata) {
pos = media.currentTime;
} else if (this.nextLoadPosition) {
pos = this.nextLoadPosition;
}
return pos;
};
_proto.handleFragLoadAborted = function handleFragLoadAborted(frag, part) {
if (this.transmuxer && frag.sn !== 'initSegment') {
this.warn("Fragment " + frag.sn + (part ? ' part' + part.index : '') + " of level " + frag.level + " was aborted");
this.resetFragmentLoading(frag);
}
};
_proto.resetFragmentLoading = function resetFragmentLoading(frag) {
if (!this.fragCurrent || !this.fragContextChanged(frag)) {
this.state = State.IDLE;
}
};
_proto.onFragmentOrKeyLoadError = function onFragmentOrKeyLoadError(filterType, data) {
if (data.fatal) {
return;
}
var frag = data.frag; // Handle frag error related to caller's filterType
if (!frag || frag.type !== filterType) {
return;
}
var fragCurrent = this.fragCurrent;
console.assert(fragCurrent && frag.sn === fragCurrent.sn && frag.level === fragCurrent.level && frag.urlId === fragCurrent.urlId, 'Frag load error must match current frag to retry');
var config = this.config; // keep retrying until the limit will be reached
if (this.fragLoadError + 1 <= config.fragLoadingMaxRetry) {
if (this.resetLiveStartWhenNotLoaded(frag.level)) {
return;
} // exponential backoff capped to config.fragLoadingMaxRetryTimeout
var delay = Math.min(Math.pow(2, this.fragLoadError) * config.fragLoadingRetryDelay, config.fragLoadingMaxRetryTimeout);
this.warn("Fragment " + frag.sn + " of " + filterType + " " + frag.level + " failed to load, retrying in " + delay + "ms");
this.retryDate = self.performance.now() + delay;
this.fragLoadError++;
this.state = State.FRAG_LOADING_WAITING_RETRY;
} else if (data.levelRetry) {
if (filterType === _types_loader__WEBPACK_IMPORTED_MODULE_15__["PlaylistLevelType"].AUDIO) {
// Reset current fragment since audio track audio is essential and may not have a fail-over track
this.fragCurrent = null;
} // Fragment errors that result in a level switch or redundant fail-over
// should reset the stream controller state to idle
this.fragLoadError = 0;
this.state = State.IDLE;
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_4__["logger"].error(data.details + " reaches max retry, redispatch as fatal ..."); // switch error to fatal
data.fatal = true;
this.hls.stopLoad();
this.state = State.ERROR;
}
};
_proto.afterBufferFlushed = function afterBufferFlushed(media, type) {
if (!media) {
return;
} // After successful buffer flushing, filter flushed fragments from bufferedFrags use mediaBuffered instead of media
// (so that we will check against video.buffered ranges in case of alt audio track)
var bufferedTimeRanges = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_3__["BufferHelper"].getBuffered(media);
this.fragmentTracker.detectEvictedFragments(type, bufferedTimeRanges);
};
_proto.resetLiveStartWhenNotLoaded = function resetLiveStartWhenNotLoaded(level) {
// if loadedmetadata is not set, it means that we are emergency switch down on first frag
// in that case, reset startFragRequested flag
if (!this.loadedmetadata) {
this.startFragRequested = false;
var details = this.levels ? this.levels[level].details : null;
if (details !== null && details !== void 0 && details.live) {
// We can't afford to retry after a delay in a live scenario. Update the start position and return to IDLE.
this.startPosition = -1;
this.setStartPosition(details, 0);
this.state = State.IDLE;
return true;
}
this.nextLoadPosition = this.startPosition;
}
return false;
};
_proto.updateLevelTiming = function updateLevelTiming(frag, part, level, partial) {
var _this6 = this;
var details = level.details;
console.assert(!!details, 'level.details must be defined');
var parsed = Object.keys(frag.elementaryStreams).reduce(function (result, type) {
var info = frag.elementaryStreams[type];
if (info) {
var parsedDuration = info.endPTS - info.startPTS;
if (parsedDuration <= 0) {
// Destroy the transmuxer after it's next time offset failed to advance because duration was <= 0.
// The new transmuxer will be configured with a time offset matching the next fragment start,
// preventing the timeline from shifting.
_this6.warn("Could not parse fragment " + frag.sn + " " + type + " duration reliably (" + parsedDuration + ") resetting transmuxer to fallback to playlist timing");
if (_this6.transmuxer) {
_this6.transmuxer.destroy();
_this6.transmuxer = null;
}
return result || false;
}
var drift = partial ? 0 : _level_helper__WEBPACK_IMPORTED_MODULE_7__["updateFragPTSDTS"](details, frag, info.startPTS, info.endPTS, info.startDTS, info.endDTS);
_this6.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].LEVEL_PTS_UPDATED, {
details: details,
level: level,
drift: drift,
type: type,
frag: frag,
start: info.startPTS,
end: info.endPTS
});
return true;
}
return result;
}, false);
if (parsed) {
this.state = State.PARSED;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].FRAG_PARSED, {
frag: frag,
part: part
});
} else {
this.fragCurrent = null;
this.fragPrevious = null;
this.state = State.IDLE;
}
};
_createClass(BaseStreamController, [{
key: "state",
get: function get() {
return this._state;
},
set: function set(nextState) {
var previousState = this._state;
if (previousState !== nextState) {
this._state = nextState;
this.log(previousState + "->" + nextState);
}
}
}]);
return BaseStreamController;
}(_task_loop__WEBPACK_IMPORTED_MODULE_1__["default"]);
/***/ }),
/***/ "./src/controller/buffer-controller.ts":
/*!*********************************************!*\
!*** ./src/controller/buffer-controller.ts ***!
\*********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return BufferController; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/buffer-helper */ "./src/utils/buffer-helper.ts");
/* harmony import */ var _utils_mediasource_helper__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/mediasource-helper */ "./src/utils/mediasource-helper.ts");
/* harmony import */ var _loader_fragment__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../loader/fragment */ "./src/loader/fragment.ts");
/* harmony import */ var _buffer_operation_queue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./buffer-operation-queue */ "./src/controller/buffer-operation-queue.ts");
var MediaSource = Object(_utils_mediasource_helper__WEBPACK_IMPORTED_MODULE_5__["getMediaSource"])();
var VIDEO_CODEC_PROFILE_REPACE = /([ha]vc.)(?:\.[^.,]+)+/;
var BufferController = /*#__PURE__*/function () {
// The level details used to determine duration, target-duration and live
// cache the self generated object url to detect hijack of video tag
// A queue of buffer operations which require the SourceBuffer to not be updating upon execution
// References to event listeners for each SourceBuffer, so that they can be referenced for event removal
// The number of BUFFER_CODEC events received before any sourceBuffers are created
// The total number of BUFFER_CODEC events received
// A reference to the attached media element
// A reference to the active media source
// counters
function BufferController(_hls) {
var _this = this;
this.details = null;
this._objectUrl = null;
this.operationQueue = void 0;
this.listeners = void 0;
this.hls = void 0;
this.bufferCodecEventsExpected = 0;
this._bufferCodecEventsTotal = 0;
this.media = null;
this.mediaSource = null;
this.appendError = 0;
this.tracks = {};
this.pendingTracks = {};
this.sourceBuffer = void 0;
this._onMediaSourceOpen = function () {
var hls = _this.hls,
media = _this.media,
mediaSource = _this.mediaSource;
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('[buffer-controller]: Media source opened');
if (media) {
_this.updateMediaElementDuration();
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_ATTACHED, {
media: media
});
}
if (mediaSource) {
// once received, don't listen anymore to sourceopen event
mediaSource.removeEventListener('sourceopen', _this._onMediaSourceOpen);
}
_this.checkPendingTracks();
};
this._onMediaSourceClose = function () {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('[buffer-controller]: Media source closed');
};
this._onMediaSourceEnded = function () {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('[buffer-controller]: Media source ended');
};
this.hls = _hls;
this._initSourceBuffer();
this.registerListeners();
}
var _proto = BufferController.prototype;
_proto.destroy = function destroy() {
this.unregisterListeners();
this.details = null;
};
_proto.registerListeners = function registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_ATTACHING, this.onMediaAttaching, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_PARSED, this.onManifestParsed, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_RESET, this.onBufferReset, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_APPENDING, this.onBufferAppending, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_CODECS, this.onBufferCodecs, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_EOS, this.onBufferEos, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_FLUSHING, this.onBufferFlushing, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_UPDATED, this.onLevelUpdated, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_PARSED, this.onFragParsed, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_CHANGED, this.onFragChanged, this);
};
_proto.unregisterListeners = function unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_ATTACHING, this.onMediaAttaching, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_PARSED, this.onManifestParsed, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_RESET, this.onBufferReset, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_APPENDING, this.onBufferAppending, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_CODECS, this.onBufferCodecs, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_EOS, this.onBufferEos, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_FLUSHING, this.onBufferFlushing, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_UPDATED, this.onLevelUpdated, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_PARSED, this.onFragParsed, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_CHANGED, this.onFragChanged, this);
};
_proto._initSourceBuffer = function _initSourceBuffer() {
this.sourceBuffer = {};
this.operationQueue = new _buffer_operation_queue__WEBPACK_IMPORTED_MODULE_7__["default"](this.sourceBuffer);
this.listeners = {
audio: [],
video: [],
audiovideo: []
};
};
_proto.onManifestParsed = function onManifestParsed(event, data) {
// in case of alt audio 2 BUFFER_CODECS events will be triggered, one per stream controller
// sourcebuffers will be created all at once when the expected nb of tracks will be reached
// in case alt audio is not used, only one BUFFER_CODEC event will be fired from main stream controller
// it will contain the expected nb of source buffers, no need to compute it
var codecEvents = 2;
if (data.audio && !data.video || !data.altAudio) {
codecEvents = 1;
}
this.bufferCodecEventsExpected = this._bufferCodecEventsTotal = codecEvents;
this.details = null;
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log(this.bufferCodecEventsExpected + " bufferCodec event(s) expected");
};
_proto.onMediaAttaching = function onMediaAttaching(event, data) {
var media = this.media = data.media;
if (media && MediaSource) {
var ms = this.mediaSource = new MediaSource(); // MediaSource listeners are arrow functions with a lexical scope, and do not need to be bound
ms.addEventListener('sourceopen', this._onMediaSourceOpen);
ms.addEventListener('sourceended', this._onMediaSourceEnded);
ms.addEventListener('sourceclose', this._onMediaSourceClose); // link video and media Source
media.src = self.URL.createObjectURL(ms); // cache the locally generated object url
this._objectUrl = media.src;
}
};
_proto.onMediaDetaching = function onMediaDetaching() {
var media = this.media,
mediaSource = this.mediaSource,
_objectUrl = this._objectUrl;
if (mediaSource) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('[buffer-controller]: media source detaching');
if (mediaSource.readyState === 'open') {
try {
// endOfStream could trigger exception if any sourcebuffer is in updating state
// we don't really care about checking sourcebuffer state here,
// as we are anyway detaching the MediaSource
// let's just avoid this exception to propagate
mediaSource.endOfStream();
} catch (err) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("[buffer-controller]: onMediaDetaching: " + err.message + " while calling endOfStream");
}
} // Clean up the SourceBuffers by invoking onBufferReset
this.onBufferReset();
mediaSource.removeEventListener('sourceopen', this._onMediaSourceOpen);
mediaSource.removeEventListener('sourceended', this._onMediaSourceEnded);
mediaSource.removeEventListener('sourceclose', this._onMediaSourceClose); // Detach properly the MediaSource from the HTMLMediaElement as
// suggested in https://github.com/w3c/media-source/issues/53.
if (media) {
if (_objectUrl) {
self.URL.revokeObjectURL(_objectUrl);
} // clean up video tag src only if it's our own url. some external libraries might
// hijack the video tag and change its 'src' without destroying the Hls instance first
if (media.src === _objectUrl) {
media.removeAttribute('src');
media.load();
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn('[buffer-controller]: media.src was changed by a third party - skip cleanup');
}
}
this.mediaSource = null;
this.media = null;
this._objectUrl = null;
this.bufferCodecEventsExpected = this._bufferCodecEventsTotal;
this.pendingTracks = {};
this.tracks = {};
}
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_DETACHED, undefined);
};
_proto.onBufferReset = function onBufferReset() {
var _this2 = this;
var sourceBuffer = this.sourceBuffer;
this.getSourceBufferTypes().forEach(function (type) {
var sb = sourceBuffer[type];
try {
if (sb) {
_this2.removeBufferListeners(type);
if (_this2.mediaSource) {
_this2.mediaSource.removeSourceBuffer(sb);
} // Synchronously remove the SB from the map before the next call in order to prevent an async function from
// accessing it
sourceBuffer[type] = undefined;
}
} catch (err) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("[buffer-controller]: Failed to reset the " + type + " buffer", err);
}
});
this._initSourceBuffer();
};
_proto.onBufferCodecs = function onBufferCodecs(event, data) {
var _this3 = this;
var sourceBufferCount = Object.keys(this.sourceBuffer).length;
Object.keys(data).forEach(function (trackName) {
if (sourceBufferCount) {
// check if SourceBuffer codec needs to change
var track = _this3.tracks[trackName];
if (track && typeof track.buffer.changeType === 'function') {
var _data$trackName = data[trackName],
codec = _data$trackName.codec,
levelCodec = _data$trackName.levelCodec,
container = _data$trackName.container;
var currentCodec = (track.levelCodec || track.codec).replace(VIDEO_CODEC_PROFILE_REPACE, '$1');
var nextCodec = (levelCodec || codec).replace(VIDEO_CODEC_PROFILE_REPACE, '$1');
if (currentCodec !== nextCodec) {
var mimeType = container + ";codecs=" + (levelCodec || codec);
_this3.appendChangeType(trackName, mimeType);
}
}
} else {
// if source buffer(s) not created yet, appended buffer tracks in this.pendingTracks
_this3.pendingTracks[trackName] = data[trackName];
}
}); // if sourcebuffers already created, do nothing ...
if (sourceBufferCount) {
return;
}
this.bufferCodecEventsExpected = Math.max(this.bufferCodecEventsExpected - 1, 0);
if (this.mediaSource && this.mediaSource.readyState === 'open') {
this.checkPendingTracks();
}
};
_proto.appendChangeType = function appendChangeType(type, mimeType) {
var _this4 = this;
var operationQueue = this.operationQueue;
var operation = {
execute: function execute() {
var sb = _this4.sourceBuffer[type];
if (sb) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: changing " + type + " sourceBuffer type to " + mimeType);
sb.changeType(mimeType);
}
operationQueue.shiftAndExecuteNext(type);
},
onStart: function onStart() {},
onComplete: function onComplete() {},
onError: function onError(e) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("[buffer-controller]: Failed to change " + type + " SourceBuffer type", e);
}
};
operationQueue.append(operation, type);
};
_proto.onBufferAppending = function onBufferAppending(event, eventData) {
var _this5 = this;
var hls = this.hls,
operationQueue = this.operationQueue,
tracks = this.tracks;
var data = eventData.data,
type = eventData.type,
frag = eventData.frag,
part = eventData.part,
chunkMeta = eventData.chunkMeta;
var chunkStats = chunkMeta.buffering[type];
var bufferAppendingStart = self.performance.now();
chunkStats.start = bufferAppendingStart;
var fragBuffering = frag.stats.buffering;
var partBuffering = part ? part.stats.buffering : null;
if (fragBuffering.start === 0) {
fragBuffering.start = bufferAppendingStart;
}
if (partBuffering && partBuffering.start === 0) {
partBuffering.start = bufferAppendingStart;
} // TODO: Only update timestampOffset when audio/mpeg fragment or part is not contiguous with previously appended
// Adjusting `SourceBuffer.timestampOffset` (desired point in the timeline where the next frames should be appended)
// in Chrome browser when we detect MPEG audio container and time delta between level PTS and `SourceBuffer.timestampOffset`
// is greater than 100ms (this is enough to handle seek for VOD or level change for LIVE videos).
// More info here: https://github.com/video-dev/hls.js/issues/332#issuecomment-257986486
var audioTrack = tracks.audio;
var checkTimestampOffset = type === 'audio' && chunkMeta.id === 1 && (audioTrack === null || audioTrack === void 0 ? void 0 : audioTrack.container) === 'audio/mpeg';
var operation = {
execute: function execute() {
chunkStats.executeStart = self.performance.now();
if (checkTimestampOffset) {
var sb = _this5.sourceBuffer[type];
if (sb) {
var delta = frag.start - sb.timestampOffset;
if (Math.abs(delta) >= 0.1) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: Updating audio SourceBuffer timestampOffset to " + frag.start + " (delta: " + delta + ") sn: " + frag.sn + ")");
sb.timestampOffset = frag.start;
}
}
}
_this5.appendExecutor(data, type);
},
onStart: function onStart() {// logger.debug(`[buffer-controller]: ${type} SourceBuffer updatestart`);
},
onComplete: function onComplete() {
// logger.debug(`[buffer-controller]: ${type} SourceBuffer updateend`);
var end = self.performance.now();
chunkStats.executeEnd = chunkStats.end = end;
if (fragBuffering.first === 0) {
fragBuffering.first = end;
}
if (partBuffering && partBuffering.first === 0) {
partBuffering.first = end;
}
var sourceBuffer = _this5.sourceBuffer;
var timeRanges = {};
for (var _type in sourceBuffer) {
timeRanges[_type] = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].getBuffered(sourceBuffer[_type]);
}
_this5.appendError = 0;
_this5.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_APPENDED, {
type: type,
frag: frag,
part: part,
chunkMeta: chunkMeta,
parent: frag.type,
timeRanges: timeRanges
});
},
onError: function onError(err) {
// in case any error occured while appending, put back segment in segments table
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].error("[buffer-controller]: Error encountered while trying to append to the " + type + " SourceBuffer", err);
var event = {
type: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorTypes"].MEDIA_ERROR,
parent: frag.type,
details: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorDetails"].BUFFER_APPEND_ERROR,
err: err,
fatal: false
};
if (err.code === DOMException.QUOTA_EXCEEDED_ERR) {
// QuotaExceededError: http://www.w3.org/TR/html5/infrastructure.html#quotaexceedederror
// let's stop appending any segments, and report BUFFER_FULL_ERROR error
event.details = _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorDetails"].BUFFER_FULL_ERROR;
} else {
_this5.appendError++;
event.details = _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorDetails"].BUFFER_APPEND_ERROR;
/* with UHD content, we could get loop of quota exceeded error until
browser is able to evict some data from sourcebuffer. Retrying can help recover.
*/
if (_this5.appendError > hls.config.appendErrorMaxRetry) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: Failed " + hls.config.appendErrorMaxRetry + " times to append segment in sourceBuffer");
event.fatal = true;
}
}
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, event);
}
};
operationQueue.append(operation, type);
};
_proto.onBufferFlushing = function onBufferFlushing(event, data) {
var _this6 = this;
var operationQueue = this.operationQueue;
var flushOperation = function flushOperation(type) {
return {
execute: _this6.removeExecutor.bind(_this6, type, data.startOffset, data.endOffset),
onStart: function onStart() {// logger.debug(`[buffer-controller]: Started flushing ${data.startOffset} -> ${data.endOffset} for ${type} Source Buffer`);
},
onComplete: function onComplete() {
// logger.debug(`[buffer-controller]: Finished flushing ${data.startOffset} -> ${data.endOffset} for ${type} Source Buffer`);
_this6.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_FLUSHED, {
type: type
});
},
onError: function onError(e) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("[buffer-controller]: Failed to remove from " + type + " SourceBuffer", e);
}
};
};
if (data.type) {
operationQueue.append(flushOperation(data.type), data.type);
} else {
operationQueue.append(flushOperation('audio'), 'audio');
operationQueue.append(flushOperation('video'), 'video');
}
};
_proto.onFragParsed = function onFragParsed(event, data) {
var _this7 = this;
var frag = data.frag,
part = data.part;
var buffersAppendedTo = [];
var elementaryStreams = part ? part.elementaryStreams : frag.elementaryStreams;
if (elementaryStreams[_loader_fragment__WEBPACK_IMPORTED_MODULE_6__["ElementaryStreamTypes"].AUDIOVIDEO]) {
buffersAppendedTo.push('audiovideo');
} else {
if (elementaryStreams[_loader_fragment__WEBPACK_IMPORTED_MODULE_6__["ElementaryStreamTypes"].AUDIO]) {
buffersAppendedTo.push('audio');
}
if (elementaryStreams[_loader_fragment__WEBPACK_IMPORTED_MODULE_6__["ElementaryStreamTypes"].VIDEO]) {
buffersAppendedTo.push('video');
}
}
var onUnblocked = function onUnblocked() {
var now = self.performance.now();
frag.stats.buffering.end = now;
if (part) {
part.stats.buffering.end = now;
}
var stats = part ? part.stats : frag.stats;
_this7.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_BUFFERED, {
frag: frag,
part: part,
stats: stats,
id: frag.type
});
};
if (buffersAppendedTo.length === 0) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("Fragments must have at least one ElementaryStreamType set. type: " + frag.type + " level: " + frag.level + " sn: " + frag.sn);
}
this.blockBuffers(onUnblocked, buffersAppendedTo);
};
_proto.onFragChanged = function onFragChanged(event, data) {
this.flushBackBuffer();
} // on BUFFER_EOS mark matching sourcebuffer(s) as ended and trigger checkEos()
// an undefined data.type will mark all buffers as EOS.
;
_proto.onBufferEos = function onBufferEos(event, data) {
var _this8 = this;
for (var type in this.sourceBuffer) {
if (!data.type || data.type === type) {
var sb = this.sourceBuffer[type];
if (sb && !sb.ended) {
sb.ended = true;
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: " + type + " sourceBuffer now EOS");
}
}
}
var endStream = function endStream() {
var mediaSource = _this8.mediaSource;
if (!mediaSource || mediaSource.readyState !== 'open') {
return;
} // Allow this to throw and be caught by the enqueueing function
mediaSource.endOfStream();
};
this.blockBuffers(endStream);
};
_proto.onLevelUpdated = function onLevelUpdated(event, _ref) {
var details = _ref.details;
if (!details.fragments.length) {
return;
}
this.details = details;
if (this.getSourceBufferTypes().length) {
this.blockBuffers(this.updateMediaElementDuration.bind(this));
} else {
this.updateMediaElementDuration();
}
};
_proto.flushBackBuffer = function flushBackBuffer() {
var hls = this.hls,
details = this.details,
media = this.media,
sourceBuffer = this.sourceBuffer;
if (!media || details === null) {
return;
}
var sourceBufferTypes = this.getSourceBufferTypes();
if (!sourceBufferTypes.length) {
return;
} // Support for deprecated liveBackBufferLength
var backBufferLength = details.live && hls.config.liveBackBufferLength !== null ? hls.config.liveBackBufferLength : hls.config.backBufferLength;
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(backBufferLength) || backBufferLength < 0) {
return;
}
var currentTime = media.currentTime;
var targetDuration = details.levelTargetDuration;
var maxBackBufferLength = Math.max(backBufferLength, targetDuration);
var targetBackBufferPosition = Math.floor(currentTime / targetDuration) * targetDuration - maxBackBufferLength;
sourceBufferTypes.forEach(function (type) {
var sb = sourceBuffer[type];
if (sb) {
var buffered = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].getBuffered(sb); // when target buffer start exceeds actual buffer start
if (buffered.length > 0 && targetBackBufferPosition > buffered.start(0)) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BACK_BUFFER_REACHED, {
bufferEnd: targetBackBufferPosition
}); // Support for deprecated event:
if (details.live) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LIVE_BACK_BUFFER_REACHED, {
bufferEnd: targetBackBufferPosition
});
}
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_FLUSHING, {
startOffset: 0,
endOffset: targetBackBufferPosition,
type: type
});
}
}
});
}
/**
* Update Media Source duration to current level duration or override to Infinity if configuration parameter
* 'liveDurationInfinity` is set to `true`
* More details: https://github.com/video-dev/hls.js/issues/355
*/
;
_proto.updateMediaElementDuration = function updateMediaElementDuration() {
if (!this.details || !this.media || !this.mediaSource || this.mediaSource.readyState !== 'open') {
return;
}
var details = this.details,
hls = this.hls,
media = this.media,
mediaSource = this.mediaSource;
var levelDuration = details.fragments[0].start + details.totalduration;
var mediaDuration = media.duration;
var msDuration = Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(mediaSource.duration) ? mediaSource.duration : 0;
if (details.live && hls.config.liveDurationInfinity) {
// Override duration to Infinity
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('[buffer-controller]: Media Source duration is set to Infinity');
mediaSource.duration = Infinity;
this.updateSeekableRange(details);
} else if (levelDuration > msDuration && levelDuration > mediaDuration || !Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(mediaDuration)) {
// levelDuration was the last value we set.
// not using mediaSource.duration as the browser may tweak this value
// only update Media Source duration if its value increase, this is to avoid
// flushing already buffered portion when switching between quality level
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: Updating Media Source duration to " + levelDuration.toFixed(3));
mediaSource.duration = levelDuration;
}
};
_proto.updateSeekableRange = function updateSeekableRange(levelDetails) {
var mediaSource = this.mediaSource;
var fragments = levelDetails.fragments;
var len = fragments.length;
if (len && levelDetails.live && mediaSource !== null && mediaSource !== void 0 && mediaSource.setLiveSeekableRange) {
var start = Math.max(0, fragments[0].start);
var end = Math.max(start, start + levelDetails.totalduration);
mediaSource.setLiveSeekableRange(start, end);
}
};
_proto.checkPendingTracks = function checkPendingTracks() {
var bufferCodecEventsExpected = this.bufferCodecEventsExpected,
operationQueue = this.operationQueue,
pendingTracks = this.pendingTracks; // Check if we've received all of the expected bufferCodec events. When none remain, create all the sourceBuffers at once.
// This is important because the MSE spec allows implementations to throw QuotaExceededErrors if creating new sourceBuffers after
// data has been appended to existing ones.
// 2 tracks is the max (one for audio, one for video). If we've reach this max go ahead and create the buffers.
var pendingTracksCount = Object.keys(pendingTracks).length;
if (pendingTracksCount && !bufferCodecEventsExpected || pendingTracksCount === 2) {
// ok, let's create them now !
this.createSourceBuffers(pendingTracks);
this.pendingTracks = {}; // append any pending segments now !
var buffers = Object.keys(this.sourceBuffer);
if (buffers.length === 0) {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorDetails"].BUFFER_INCOMPATIBLE_CODECS_ERROR,
fatal: true,
reason: 'could not create source buffer for media codec(s)'
});
return;
}
buffers.forEach(function (type) {
operationQueue.executeNext(type);
});
}
};
_proto.createSourceBuffers = function createSourceBuffers(tracks) {
var sourceBuffer = this.sourceBuffer,
mediaSource = this.mediaSource;
if (!mediaSource) {
throw Error('createSourceBuffers called when mediaSource was null');
}
var tracksCreated = 0;
for (var trackName in tracks) {
if (!sourceBuffer[trackName]) {
var track = tracks[trackName];
if (!track) {
throw Error("source buffer exists for track " + trackName + ", however track does not");
} // use levelCodec as first priority
var codec = track.levelCodec || track.codec;
var mimeType = track.container + ";codecs=" + codec;
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: creating sourceBuffer(" + mimeType + ")");
try {
var sb = sourceBuffer[trackName] = mediaSource.addSourceBuffer(mimeType);
var sbName = trackName;
this.addBufferListener(sbName, 'updatestart', this._onSBUpdateStart);
this.addBufferListener(sbName, 'updateend', this._onSBUpdateEnd);
this.addBufferListener(sbName, 'error', this._onSBUpdateError);
this.tracks[trackName] = {
buffer: sb,
codec: codec,
container: track.container,
levelCodec: track.levelCodec,
id: track.id
};
tracksCreated++;
} catch (err) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].error("[buffer-controller]: error while trying to add sourceBuffer: " + err.message);
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorDetails"].BUFFER_ADD_CODEC_ERROR,
fatal: false,
error: err,
mimeType: mimeType
});
}
}
}
if (tracksCreated) {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].BUFFER_CREATED, {
tracks: this.tracks
});
}
} // Keep as arrow functions so that we can directly reference these functions directly as event listeners
;
_proto._onSBUpdateStart = function _onSBUpdateStart(type) {
var operationQueue = this.operationQueue;
var operation = operationQueue.current(type);
operation.onStart();
};
_proto._onSBUpdateEnd = function _onSBUpdateEnd(type) {
var operationQueue = this.operationQueue;
var operation = operationQueue.current(type);
operation.onComplete();
operationQueue.shiftAndExecuteNext(type);
};
_proto._onSBUpdateError = function _onSBUpdateError(type, event) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].error("[buffer-controller]: " + type + " SourceBuffer error", event); // according to http://www.w3.org/TR/media-source/#sourcebuffer-append-error
// SourceBuffer errors are not necessarily fatal; if so, the HTMLMediaElement will fire an error event
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_3__["ErrorDetails"].BUFFER_APPENDING_ERROR,
fatal: false
}); // updateend is always fired after error, so we'll allow that to shift the current operation off of the queue
var operation = this.operationQueue.current(type);
if (operation) {
operation.onError(event);
}
} // This method must result in an updateend event; if remove is not called, _onSBUpdateEnd must be called manually
;
_proto.removeExecutor = function removeExecutor(type, startOffset, endOffset) {
var media = this.media,
mediaSource = this.mediaSource,
operationQueue = this.operationQueue,
sourceBuffer = this.sourceBuffer;
var sb = sourceBuffer[type];
if (!media || !mediaSource || !sb) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("[buffer-controller]: Attempting to remove from the " + type + " SourceBuffer, but it does not exist");
operationQueue.shiftAndExecuteNext(type);
return;
}
var mediaDuration = Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(media.duration) ? media.duration : Infinity;
var msDuration = Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(mediaSource.duration) ? mediaSource.duration : Infinity;
var removeStart = Math.max(0, startOffset);
var removeEnd = Math.min(endOffset, mediaDuration, msDuration);
if (removeEnd > removeStart) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log("[buffer-controller]: Removing [" + removeStart + "," + removeEnd + "] from the " + type + " SourceBuffer");
console.assert(!sb.updating, type + " sourceBuffer must not be updating");
sb.remove(removeStart, removeEnd);
} else {
// Cycle the queue
operationQueue.shiftAndExecuteNext(type);
}
} // This method must result in an updateend event; if append is not called, _onSBUpdateEnd must be called manually
;
_proto.appendExecutor = function appendExecutor(data, type) {
var operationQueue = this.operationQueue,
sourceBuffer = this.sourceBuffer;
var sb = sourceBuffer[type];
if (!sb) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("[buffer-controller]: Attempting to append to the " + type + " SourceBuffer, but it does not exist");
operationQueue.shiftAndExecuteNext(type);
return;
}
sb.ended = false;
console.assert(!sb.updating, type + " sourceBuffer must not be updating");
sb.appendBuffer(data);
} // Enqueues an operation to each SourceBuffer queue which, upon execution, resolves a promise. When all promises
// resolve, the onUnblocked function is executed. Functions calling this method do not need to unblock the queue
// upon completion, since we already do it here
;
_proto.blockBuffers = function blockBuffers(onUnblocked, buffers) {
var _this9 = this;
if (buffers === void 0) {
buffers = this.getSourceBufferTypes();
}
if (!buffers.length) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('[buffer-controller]: Blocking operation requested, but no SourceBuffers exist');
Promise.resolve(onUnblocked);
return;
}
var operationQueue = this.operationQueue; // logger.debug(`[buffer-controller]: Blocking ${buffers} SourceBuffer`);
var blockingOperations = buffers.map(function (type) {
return operationQueue.appendBlocker(type);
});
Promise.all(blockingOperations).then(function () {
// logger.debug(`[buffer-controller]: Blocking operation resolved; unblocking ${buffers} SourceBuffer`);
onUnblocked();
buffers.forEach(function (type) {
var sb = _this9.sourceBuffer[type]; // Only cycle the queue if the SB is not updating. There's a bug in Chrome which sets the SB updating flag to
// true when changing the MediaSource duration (https://bugs.chromium.org/p/chromium/issues/detail?id=959359&can=2&q=mediasource%20duration)
// While this is a workaround, it's probably useful to have around
if (!sb || !sb.updating) {
operationQueue.shiftAndExecuteNext(type);
}
});
});
};
_proto.getSourceBufferTypes = function getSourceBufferTypes() {
return Object.keys(this.sourceBuffer);
};
_proto.addBufferListener = function addBufferListener(type, event, fn) {
var buffer = this.sourceBuffer[type];
if (!buffer) {
return;
}
var listener = fn.bind(this, type);
this.listeners[type].push({
event: event,
listener: listener
});
buffer.addEventListener(event, listener);
};
_proto.removeBufferListeners = function removeBufferListeners(type) {
var buffer = this.sourceBuffer[type];
if (!buffer) {
return;
}
this.listeners[type].forEach(function (l) {
buffer.removeEventListener(l.event, l.listener);
});
};
return BufferController;
}();
/***/ }),
/***/ "./src/controller/buffer-operation-queue.ts":
/*!**************************************************!*\
!*** ./src/controller/buffer-operation-queue.ts ***!
\**************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return BufferOperationQueue; });
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
var BufferOperationQueue = /*#__PURE__*/function () {
function BufferOperationQueue(sourceBufferReference) {
this.buffers = void 0;
this.queues = {
video: [],
audio: [],
audiovideo: []
};
this.buffers = sourceBufferReference;
}
var _proto = BufferOperationQueue.prototype;
_proto.append = function append(operation, type) {
var queue = this.queues[type];
queue.push(operation);
if (queue.length === 1 && this.buffers[type]) {
this.executeNext(type);
}
};
_proto.insertAbort = function insertAbort(operation, type) {
var queue = this.queues[type];
queue.unshift(operation);
this.executeNext(type);
};
_proto.appendBlocker = function appendBlocker(type) {
var execute;
var promise = new Promise(function (resolve) {
execute = resolve;
});
var operation = {
execute: execute,
onStart: function onStart() {},
onComplete: function onComplete() {},
onError: function onError() {}
};
this.append(operation, type);
return promise;
};
_proto.executeNext = function executeNext(type) {
var buffers = this.buffers,
queues = this.queues;
var sb = buffers[type];
var queue = queues[type];
if (queue.length) {
var operation = queue[0];
try {
// Operations are expected to result in an 'updateend' event being fired. If not, the queue will lock. Operations
// which do not end with this event must call _onSBUpdateEnd manually
operation.execute();
} catch (e) {
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].warn('[buffer-operation-queue]: Unhandled exception executing the current operation');
operation.onError(e); // Only shift the current operation off, otherwise the updateend handler will do this for us
if (!sb || !sb.updating) {
queue.shift();
}
}
}
};
_proto.shiftAndExecuteNext = function shiftAndExecuteNext(type) {
this.queues[type].shift();
this.executeNext(type);
};
_proto.current = function current(type) {
return this.queues[type][0];
};
return BufferOperationQueue;
}();
/***/ }),
/***/ "./src/controller/cap-level-controller.ts":
/*!************************************************!*\
!*** ./src/controller/cap-level-controller.ts ***!
\************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../events */ "./src/events.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
/*
* cap stream level to media size dimension controller
*/
var CapLevelController = /*#__PURE__*/function () {
function CapLevelController(hls) {
this.autoLevelCapping = void 0;
this.firstLevel = void 0;
this.media = void 0;
this.restrictedLevels = void 0;
this.timer = void 0;
this.hls = void 0;
this.streamController = void 0;
this.clientRect = void 0;
this.hls = hls;
this.autoLevelCapping = Number.POSITIVE_INFINITY;
this.firstLevel = -1;
this.media = null;
this.restrictedLevels = [];
this.timer = undefined;
this.clientRect = null;
this.registerListeners();
}
var _proto = CapLevelController.prototype;
_proto.setStreamController = function setStreamController(streamController) {
this.streamController = streamController;
};
_proto.destroy = function destroy() {
this.unregisterListener();
if (this.hls.config.capLevelToPlayerSize) {
this.stopCapping();
}
this.media = null;
this.clientRect = null; // @ts-ignore
this.hls = this.streamController = null;
};
_proto.registerListeners = function registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FPS_DROP_LEVEL_CAPPING, this.onFpsDropLevelCapping, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_ATTACHING, this.onMediaAttaching, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MANIFEST_PARSED, this.onManifestParsed, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].BUFFER_CODECS, this.onBufferCodecs, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
};
_proto.unregisterListener = function unregisterListener() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FPS_DROP_LEVEL_CAPPING, this.onFpsDropLevelCapping, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_ATTACHING, this.onMediaAttaching, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MANIFEST_PARSED, this.onManifestParsed, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].BUFFER_CODECS, this.onBufferCodecs, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
};
_proto.onFpsDropLevelCapping = function onFpsDropLevelCapping(event, data) {
// Don't add a restricted level more than once
if (CapLevelController.isLevelAllowed(data.droppedLevel, this.restrictedLevels)) {
this.restrictedLevels.push(data.droppedLevel);
}
};
_proto.onMediaAttaching = function onMediaAttaching(event, data) {
this.media = data.media instanceof HTMLVideoElement ? data.media : null;
};
_proto.onManifestParsed = function onManifestParsed(event, data) {
var hls = this.hls;
this.restrictedLevels = [];
this.firstLevel = data.firstLevel;
if (hls.config.capLevelToPlayerSize && data.video) {
// Start capping immediately if the manifest has signaled video codecs
this.startCapping();
}
} // Only activate capping when playing a video stream; otherwise, multi-bitrate audio-only streams will be restricted
// to the first level
;
_proto.onBufferCodecs = function onBufferCodecs(event, data) {
var hls = this.hls;
if (hls.config.capLevelToPlayerSize && data.video) {
// If the manifest did not signal a video codec capping has been deferred until we're certain video is present
this.startCapping();
}
};
_proto.onMediaDetaching = function onMediaDetaching() {
this.stopCapping();
};
_proto.detectPlayerSize = function detectPlayerSize() {
if (this.media && this.mediaHeight > 0 && this.mediaWidth > 0) {
var levels = this.hls.levels;
if (levels.length) {
var hls = this.hls;
hls.autoLevelCapping = this.getMaxLevel(levels.length - 1);
if (hls.autoLevelCapping > this.autoLevelCapping && this.streamController) {
// if auto level capping has a higher value for the previous one, flush the buffer using nextLevelSwitch
// usually happen when the user go to the fullscreen mode.
this.streamController.nextLevelSwitch();
}
this.autoLevelCapping = hls.autoLevelCapping;
}
}
}
/*
* returns level should be the one with the dimensions equal or greater than the media (player) dimensions (so the video will be downscaled)
*/
;
_proto.getMaxLevel = function getMaxLevel(capLevelIndex) {
var _this = this;
var levels = this.hls.levels;
if (!levels.length) {
return -1;
}
var validLevels = levels.filter(function (level, index) {
return CapLevelController.isLevelAllowed(index, _this.restrictedLevels) && index <= capLevelIndex;
});
this.clientRect = null;
return CapLevelController.getMaxLevelByMediaSize(validLevels, this.mediaWidth, this.mediaHeight);
};
_proto.startCapping = function startCapping() {
if (this.timer) {
// Don't reset capping if started twice; this can happen if the manifest signals a video codec
return;
}
this.autoLevelCapping = Number.POSITIVE_INFINITY;
this.hls.firstLevel = this.getMaxLevel(this.firstLevel);
self.clearInterval(this.timer);
this.timer = self.setInterval(this.detectPlayerSize.bind(this), 1000);
this.detectPlayerSize();
};
_proto.stopCapping = function stopCapping() {
this.restrictedLevels = [];
this.firstLevel = -1;
this.autoLevelCapping = Number.POSITIVE_INFINITY;
if (this.timer) {
self.clearInterval(this.timer);
this.timer = undefined;
}
};
_proto.getDimensions = function getDimensions() {
if (this.clientRect) {
return this.clientRect;
}
var media = this.media;
var boundsRect = {
width: 0,
height: 0
};
if (media) {
var clientRect = media.getBoundingClientRect();
boundsRect.width = clientRect.width;
boundsRect.height = clientRect.height;
if (!boundsRect.width && !boundsRect.height) {
// When the media element has no width or height (equivalent to not being in the DOM),
// then use its width and height attributes (media.width, media.height)
boundsRect.width = clientRect.right - clientRect.left || media.width || 0;
boundsRect.height = clientRect.bottom - clientRect.top || media.height || 0;
}
}
this.clientRect = boundsRect;
return boundsRect;
};
CapLevelController.isLevelAllowed = function isLevelAllowed(level, restrictedLevels) {
if (restrictedLevels === void 0) {
restrictedLevels = [];
}
return restrictedLevels.indexOf(level) === -1;
};
CapLevelController.getMaxLevelByMediaSize = function getMaxLevelByMediaSize(levels, width, height) {
if (!levels || !levels.length) {
return -1;
} // Levels can have the same dimensions but differing bandwidths - since levels are ordered, we can look to the next
// to determine whether we've chosen the greatest bandwidth for the media's dimensions
var atGreatestBandiwdth = function atGreatestBandiwdth(curLevel, nextLevel) {
if (!nextLevel) {
return true;
}
return curLevel.width !== nextLevel.width || curLevel.height !== nextLevel.height;
}; // If we run through the loop without breaking, the media's dimensions are greater than every level, so default to
// the max level
var maxLevelIndex = levels.length - 1;
for (var i = 0; i < levels.length; i += 1) {
var level = levels[i];
if ((level.width >= width || level.height >= height) && atGreatestBandiwdth(level, levels[i + 1])) {
maxLevelIndex = i;
break;
}
}
return maxLevelIndex;
};
_createClass(CapLevelController, [{
key: "mediaWidth",
get: function get() {
return this.getDimensions().width * CapLevelController.contentScaleFactor;
}
}, {
key: "mediaHeight",
get: function get() {
return this.getDimensions().height * CapLevelController.contentScaleFactor;
}
}], [{
key: "contentScaleFactor",
get: function get() {
var pixelRatio = 1;
try {
pixelRatio = self.devicePixelRatio;
} catch (e) {
/* no-op */
}
return pixelRatio;
}
}]);
return CapLevelController;
}();
/* harmony default export */ __webpack_exports__["default"] = (CapLevelController);
/***/ }),
/***/ "./src/controller/fps-controller.ts":
/*!******************************************!*\
!*** ./src/controller/fps-controller.ts ***!
\******************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
var FPSController = /*#__PURE__*/function () {
// stream controller must be provided as a dependency!
function FPSController(hls) {
this.hls = void 0;
this.isVideoPlaybackQualityAvailable = false;
this.timer = void 0;
this.media = null;
this.lastTime = void 0;
this.lastDroppedFrames = 0;
this.lastDecodedFrames = 0;
this.streamController = void 0;
this.hls = hls;
this.registerListeners();
}
var _proto = FPSController.prototype;
_proto.setStreamController = function setStreamController(streamController) {
this.streamController = streamController;
};
_proto.registerListeners = function registerListeners() {
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_ATTACHING, this.onMediaAttaching, this);
};
_proto.unregisterListeners = function unregisterListeners() {
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_ATTACHING, this.onMediaAttaching);
};
_proto.destroy = function destroy() {
if (this.timer) {
clearInterval(this.timer);
}
this.unregisterListeners();
this.isVideoPlaybackQualityAvailable = false;
this.media = null;
};
_proto.onMediaAttaching = function onMediaAttaching(event, data) {
var config = this.hls.config;
if (config.capLevelOnFPSDrop) {
var media = data.media instanceof self.HTMLVideoElement ? data.media : null;
this.media = media;
if (media && typeof media.getVideoPlaybackQuality === 'function') {
this.isVideoPlaybackQualityAvailable = true;
}
self.clearInterval(this.timer);
this.timer = self.setTimeout(this.checkFPSInterval.bind(this), config.fpsDroppedMonitoringPeriod);
}
};
_proto.checkFPS = function checkFPS(video, decodedFrames, droppedFrames) {
var currentTime = performance.now();
if (decodedFrames) {
if (this.lastTime) {
var currentPeriod = currentTime - this.lastTime;
var currentDropped = droppedFrames - this.lastDroppedFrames;
var currentDecoded = decodedFrames - this.lastDecodedFrames;
var droppedFPS = 1000 * currentDropped / currentPeriod;
var hls = this.hls;
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FPS_DROP, {
currentDropped: currentDropped,
currentDecoded: currentDecoded,
totalDroppedFrames: droppedFrames
});
if (droppedFPS > 0) {
// logger.log('checkFPS : droppedFPS/decodedFPS:' + droppedFPS/(1000 * currentDecoded / currentPeriod));
if (currentDropped > hls.config.fpsDroppedMonitoringThreshold * currentDecoded) {
var currentLevel = hls.currentLevel;
_utils_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].warn('drop FPS ratio greater than max allowed value for currentLevel: ' + currentLevel);
if (currentLevel > 0 && (hls.autoLevelCapping === -1 || hls.autoLevelCapping >= currentLevel)) {
currentLevel = currentLevel - 1;
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FPS_DROP_LEVEL_CAPPING, {
level: currentLevel,
droppedLevel: hls.currentLevel
});
hls.autoLevelCapping = currentLevel;
this.streamController.nextLevelSwitch();
}
}
}
}
this.lastTime = currentTime;
this.lastDroppedFrames = droppedFrames;
this.lastDecodedFrames = decodedFrames;
}
};
_proto.checkFPSInterval = function checkFPSInterval() {
var video = this.media;
if (video) {
if (this.isVideoPlaybackQualityAvailable) {
var videoPlaybackQuality = video.getVideoPlaybackQuality();
this.checkFPS(video, videoPlaybackQuality.totalVideoFrames, videoPlaybackQuality.droppedVideoFrames);
} else {
// HTMLVideoElement doesn't include the webkit types
this.checkFPS(video, video.webkitDecodedFrameCount, video.webkitDroppedFrameCount);
}
}
};
return FPSController;
}();
/* harmony default export */ __webpack_exports__["default"] = (FPSController);
/***/ }),
/***/ "./src/controller/fragment-finders.ts":
/*!********************************************!*\
!*** ./src/controller/fragment-finders.ts ***!
\********************************************/
/*! exports provided: findFragmentByPDT, findFragmentByPTS, fragmentWithinToleranceTest, pdtWithinToleranceTest, findFragWithCC */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "findFragmentByPDT", function() { return findFragmentByPDT; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "findFragmentByPTS", function() { return findFragmentByPTS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "fragmentWithinToleranceTest", function() { return fragmentWithinToleranceTest; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "pdtWithinToleranceTest", function() { return pdtWithinToleranceTest; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "findFragWithCC", function() { return findFragWithCC; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _utils_binary_search__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/binary-search */ "./src/utils/binary-search.ts");
/**
* Returns first fragment whose endPdt value exceeds the given PDT.
* @param {Array<Fragment>} fragments - The array of candidate fragments
* @param {number|null} [PDTValue = null] - The PDT value which must be exceeded
* @param {number} [maxFragLookUpTolerance = 0] - The amount of time that a fragment's start/end can be within in order to be considered contiguous
* @returns {*|null} fragment - The best matching fragment
*/
function findFragmentByPDT(fragments, PDTValue, maxFragLookUpTolerance) {
if (PDTValue === null || !Array.isArray(fragments) || !fragments.length || !Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(PDTValue)) {
return null;
} // if less than start
var startPDT = fragments[0].programDateTime;
if (PDTValue < (startPDT || 0)) {
return null;
}
var endPDT = fragments[fragments.length - 1].endProgramDateTime;
if (PDTValue >= (endPDT || 0)) {
return null;
}
maxFragLookUpTolerance = maxFragLookUpTolerance || 0;
for (var seg = 0; seg < fragments.length; ++seg) {
var frag = fragments[seg];
if (pdtWithinToleranceTest(PDTValue, maxFragLookUpTolerance, frag)) {
return frag;
}
}
return null;
}
/**
* Finds a fragment based on the SN of the previous fragment; or based on the needs of the current buffer.
* This method compensates for small buffer gaps by applying a tolerance to the start of any candidate fragment, thus
* breaking any traps which would cause the same fragment to be continuously selected within a small range.
* @param {*} fragPrevious - The last frag successfully appended
* @param {Array} fragments - The array of candidate fragments
* @param {number} [bufferEnd = 0] - The end of the contiguous buffered range the playhead is currently within
* @param {number} maxFragLookUpTolerance - The amount of time that a fragment's start/end can be within in order to be considered contiguous
* @returns {*} foundFrag - The best matching fragment
*/
function findFragmentByPTS(fragPrevious, fragments, bufferEnd, maxFragLookUpTolerance) {
if (bufferEnd === void 0) {
bufferEnd = 0;
}
if (maxFragLookUpTolerance === void 0) {
maxFragLookUpTolerance = 0;
}
var fragNext = null;
if (fragPrevious) {
fragNext = fragments[fragPrevious.sn - fragments[0].sn + 1];
} else if (bufferEnd === 0 && fragments[0].start === 0) {
fragNext = fragments[0];
} // Prefer the next fragment if it's within tolerance
if (fragNext && fragmentWithinToleranceTest(bufferEnd, maxFragLookUpTolerance, fragNext) === 0) {
return fragNext;
} // We might be seeking past the tolerance so find the best match
var foundFragment = _utils_binary_search__WEBPACK_IMPORTED_MODULE_1__["default"].search(fragments, fragmentWithinToleranceTest.bind(null, bufferEnd, maxFragLookUpTolerance));
if (foundFragment) {
return foundFragment;
} // If no match was found return the next fragment after fragPrevious, or null
return fragNext;
}
/**
* The test function used by the findFragmentBySn's BinarySearch to look for the best match to the current buffer conditions.
* @param {*} candidate - The fragment to test
* @param {number} [bufferEnd = 0] - The end of the current buffered range the playhead is currently within
* @param {number} [maxFragLookUpTolerance = 0] - The amount of time that a fragment's start can be within in order to be considered contiguous
* @returns {number} - 0 if it matches, 1 if too low, -1 if too high
*/
function fragmentWithinToleranceTest(bufferEnd, maxFragLookUpTolerance, candidate) {
if (bufferEnd === void 0) {
bufferEnd = 0;
}
if (maxFragLookUpTolerance === void 0) {
maxFragLookUpTolerance = 0;
}
// offset should be within fragment boundary - config.maxFragLookUpTolerance
// this is to cope with situations like
// bufferEnd = 9.991
// frag[Ø] : [0,10]
// frag[1] : [10,20]
// bufferEnd is within frag[0] range ... although what we are expecting is to return frag[1] here
// frag start frag start+duration
// |-----------------------------|
// <---> <--->
// ...--------><-----------------------------><---------....
// previous frag matching fragment next frag
// return -1 return 0 return 1
// logger.log(`level/sn/start/end/bufEnd:${level}/${candidate.sn}/${candidate.start}/${(candidate.start+candidate.duration)}/${bufferEnd}`);
// Set the lookup tolerance to be small enough to detect the current segment - ensures we don't skip over very small segments
var candidateLookupTolerance = Math.min(maxFragLookUpTolerance, candidate.duration + (candidate.deltaPTS ? candidate.deltaPTS : 0));
if (candidate.start + candidate.duration - candidateLookupTolerance <= bufferEnd) {
return 1;
} else if (candidate.start - candidateLookupTolerance > bufferEnd && candidate.start) {
// if maxFragLookUpTolerance will have negative value then don't return -1 for first element
return -1;
}
return 0;
}
/**
* The test function used by the findFragmentByPdt's BinarySearch to look for the best match to the current buffer conditions.
* This function tests the candidate's program date time values, as represented in Unix time
* @param {*} candidate - The fragment to test
* @param {number} [pdtBufferEnd = 0] - The Unix time representing the end of the current buffered range
* @param {number} [maxFragLookUpTolerance = 0] - The amount of time that a fragment's start can be within in order to be considered contiguous
* @returns {boolean} True if contiguous, false otherwise
*/
function pdtWithinToleranceTest(pdtBufferEnd, maxFragLookUpTolerance, candidate) {
var candidateLookupTolerance = Math.min(maxFragLookUpTolerance, candidate.duration + (candidate.deltaPTS ? candidate.deltaPTS : 0)) * 1000; // endProgramDateTime can be null, default to zero
var endProgramDateTime = candidate.endProgramDateTime || 0;
return endProgramDateTime - candidateLookupTolerance > pdtBufferEnd;
}
function findFragWithCC(fragments, cc) {
return _utils_binary_search__WEBPACK_IMPORTED_MODULE_1__["default"].search(fragments, function (candidate) {
if (candidate.cc < cc) {
return 1;
} else if (candidate.cc > cc) {
return -1;
} else {
return 0;
}
});
}
/***/ }),
/***/ "./src/controller/fragment-tracker.ts":
/*!********************************************!*\
!*** ./src/controller/fragment-tracker.ts ***!
\********************************************/
/*! exports provided: FragmentState, FragmentTracker */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "FragmentState", function() { return FragmentState; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "FragmentTracker", function() { return FragmentTracker; });
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _types_loader__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../types/loader */ "./src/types/loader.ts");
var FragmentState;
(function (FragmentState) {
FragmentState["NOT_LOADED"] = "NOT_LOADED";
FragmentState["BACKTRACKED"] = "BACKTRACKED";
FragmentState["APPENDING"] = "APPENDING";
FragmentState["PARTIAL"] = "PARTIAL";
FragmentState["OK"] = "OK";
})(FragmentState || (FragmentState = {}));
var FragmentTracker = /*#__PURE__*/function () {
function FragmentTracker(hls) {
this.activeFragment = null;
this.activeParts = null;
this.fragments = Object.create(null);
this.timeRanges = Object.create(null);
this.bufferPadding = 0.2;
this.hls = void 0;
this.hls = hls;
this._registerListeners();
}
var _proto = FragmentTracker.prototype;
_proto._registerListeners = function _registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].BUFFER_APPENDED, this.onBufferAppended, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FRAG_BUFFERED, this.onFragBuffered, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FRAG_LOADED, this.onFragLoaded, this);
};
_proto._unregisterListeners = function _unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].BUFFER_APPENDED, this.onBufferAppended, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FRAG_BUFFERED, this.onFragBuffered, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FRAG_LOADED, this.onFragLoaded, this);
};
_proto.destroy = function destroy() {
this._unregisterListeners(); // @ts-ignore
this.fragments = this.timeRanges = null;
}
/**
* Return a Fragment with an appended range that matches the position and levelType.
* If not found any Fragment, return null
*/
;
_proto.getAppendedFrag = function getAppendedFrag(position, levelType) {
if (levelType === _types_loader__WEBPACK_IMPORTED_MODULE_1__["PlaylistLevelType"].MAIN) {
var activeFragment = this.activeFragment,
activeParts = this.activeParts;
if (!activeFragment) {
return null;
}
if (activeParts) {
for (var i = activeParts.length; i--;) {
var activePart = activeParts[i];
var appendedPTS = activePart ? activePart.end : activeFragment.appendedPTS;
if (activePart.start <= position && appendedPTS !== undefined && position <= appendedPTS) {
// 9 is a magic number. remove parts from lookup after a match but keep some short seeks back.
if (i > 9) {
this.activeParts = activeParts.slice(i - 9);
}
return activePart;
}
}
} else if (activeFragment.start <= position && activeFragment.appendedPTS !== undefined && position <= activeFragment.appendedPTS) {
return activeFragment;
}
}
return this.getBufferedFrag(position, levelType);
}
/**
* Return a buffered Fragment that matches the position and levelType.
* A buffered Fragment is one whose loading, parsing and appending is done (completed or "partial" meaning aborted).
* If not found any Fragment, return null
*/
;
_proto.getBufferedFrag = function getBufferedFrag(position, levelType) {
var fragments = this.fragments;
var keys = Object.keys(fragments);
for (var i = keys.length; i--;) {
var fragmentEntity = fragments[keys[i]];
if ((fragmentEntity === null || fragmentEntity === void 0 ? void 0 : fragmentEntity.body.type) === levelType && fragmentEntity.buffered) {
var frag = fragmentEntity.body;
if (frag.start <= position && position <= frag.end) {
return frag;
}
}
}
return null;
}
/**
* Partial fragments effected by coded frame eviction will be removed
* The browser will unload parts of the buffer to free up memory for new buffer data
* Fragments will need to be reloaded when the buffer is freed up, removing partial fragments will allow them to reload(since there might be parts that are still playable)
*/
;
_proto.detectEvictedFragments = function detectEvictedFragments(elementaryStream, timeRange) {
var _this = this;
// Check if any flagged fragments have been unloaded
Object.keys(this.fragments).forEach(function (key) {
var fragmentEntity = _this.fragments[key];
if (!fragmentEntity || !fragmentEntity.buffered) {
return;
}
var esData = fragmentEntity.range[elementaryStream];
if (!esData) {
return;
}
esData.time.some(function (time) {
var isNotBuffered = !_this.isTimeBuffered(time.startPTS, time.endPTS, timeRange);
if (isNotBuffered) {
// Unregister partial fragment as it needs to load again to be reused
_this.removeFragment(fragmentEntity.body);
}
return isNotBuffered;
});
});
}
/**
* Checks if the fragment passed in is loaded in the buffer properly
* Partially loaded fragments will be registered as a partial fragment
*/
;
_proto.detectPartialFragments = function detectPartialFragments(data) {
var _this2 = this;
var timeRanges = this.timeRanges;
var frag = data.frag,
part = data.part;
if (!timeRanges || frag.sn === 'initSegment') {
return;
}
var fragKey = getFragmentKey(frag);
var fragmentEntity = this.fragments[fragKey];
if (!fragmentEntity) {
return;
}
Object.keys(timeRanges).forEach(function (elementaryStream) {
var streamInfo = frag.elementaryStreams[elementaryStream];
if (!streamInfo) {
return;
}
var timeRange = timeRanges[elementaryStream];
var partial = part !== null || streamInfo.partial === true;
fragmentEntity.range[elementaryStream] = _this2.getBufferedTimes(frag, part, partial, timeRange);
});
fragmentEntity.backtrack = fragmentEntity.loaded = null;
if (Object.keys(fragmentEntity.range).length) {
fragmentEntity.buffered = true;
} else {
// remove fragment if nothing was appended
this.removeFragment(fragmentEntity.body);
}
};
_proto.getBufferedTimes = function getBufferedTimes(fragment, part, partial, timeRange) {
var buffered = {
time: [],
partial: partial
};
var startPTS = part ? part.start : fragment.start;
var endPTS = part ? part.end : fragment.end;
var minEndPTS = fragment.minEndPTS || endPTS;
var maxStartPTS = fragment.maxStartPTS || startPTS;
for (var i = 0; i < timeRange.length; i++) {
var startTime = timeRange.start(i) - this.bufferPadding;
var endTime = timeRange.end(i) + this.bufferPadding;
if (maxStartPTS >= startTime && minEndPTS <= endTime) {
// Fragment is entirely contained in buffer
// No need to check the other timeRange times since it's completely playable
buffered.time.push({
startPTS: Math.max(startPTS, timeRange.start(i)),
endPTS: Math.min(endPTS, timeRange.end(i))
});
break;
} else if (startPTS < endTime && endPTS > startTime) {
buffered.partial = true; // Check for intersection with buffer
// Get playable sections of the fragment
buffered.time.push({
startPTS: Math.max(startPTS, timeRange.start(i)),
endPTS: Math.min(endPTS, timeRange.end(i))
});
} else if (endPTS <= startTime) {
// No need to check the rest of the timeRange as it is in order
break;
}
}
return buffered;
}
/**
* Gets the partial fragment for a certain time
*/
;
_proto.getPartialFragment = function getPartialFragment(time) {
var bestFragment = null;
var timePadding;
var startTime;
var endTime;
var bestOverlap = 0;
var bufferPadding = this.bufferPadding,
fragments = this.fragments;
Object.keys(fragments).forEach(function (key) {
var fragmentEntity = fragments[key];
if (!fragmentEntity) {
return;
}
if (isPartial(fragmentEntity)) {
startTime = fragmentEntity.body.start - bufferPadding;
endTime = fragmentEntity.body.end + bufferPadding;
if (time >= startTime && time <= endTime) {
// Use the fragment that has the most padding from start and end time
timePadding = Math.min(time - startTime, endTime - time);
if (bestOverlap <= timePadding) {
bestFragment = fragmentEntity.body;
bestOverlap = timePadding;
}
}
}
});
return bestFragment;
};
_proto.getState = function getState(fragment) {
var fragKey = getFragmentKey(fragment);
var fragmentEntity = this.fragments[fragKey];
if (fragmentEntity) {
if (!fragmentEntity.buffered) {
if (fragmentEntity.backtrack) {
return FragmentState.BACKTRACKED;
}
return FragmentState.APPENDING;
} else if (isPartial(fragmentEntity)) {
return FragmentState.PARTIAL;
} else {
return FragmentState.OK;
}
}
return FragmentState.NOT_LOADED;
};
_proto.backtrack = function backtrack(frag, data) {
var fragKey = getFragmentKey(frag);
var fragmentEntity = this.fragments[fragKey];
if (!fragmentEntity || fragmentEntity.backtrack) {
return null;
}
var backtrack = fragmentEntity.backtrack = data ? data : fragmentEntity.loaded;
fragmentEntity.loaded = null;
return backtrack;
};
_proto.getBacktrackData = function getBacktrackData(fragment) {
var fragKey = getFragmentKey(fragment);
var fragmentEntity = this.fragments[fragKey];
if (fragmentEntity) {
var _backtrack$payload;
var backtrack = fragmentEntity.backtrack; // If data was already sent to Worker it is detached no longer available
if (backtrack !== null && backtrack !== void 0 && (_backtrack$payload = backtrack.payload) !== null && _backtrack$payload !== void 0 && _backtrack$payload.byteLength) {
return backtrack;
} else {
this.removeFragment(fragment);
}
}
return null;
};
_proto.isTimeBuffered = function isTimeBuffered(startPTS, endPTS, timeRange) {
var startTime;
var endTime;
for (var i = 0; i < timeRange.length; i++) {
startTime = timeRange.start(i) - this.bufferPadding;
endTime = timeRange.end(i) + this.bufferPadding;
if (startPTS >= startTime && endPTS <= endTime) {
return true;
}
if (endPTS <= startTime) {
// No need to check the rest of the timeRange as it is in order
return false;
}
}
return false;
};
_proto.onFragLoaded = function onFragLoaded(event, data) {
var frag = data.frag,
part = data.part; // don't track initsegment (for which sn is not a number)
// don't track frags used for bitrateTest, they're irrelevant.
// don't track parts for memory efficiency
if (frag.sn === 'initSegment' || frag.bitrateTest || part) {
return;
}
var fragKey = getFragmentKey(frag);
this.fragments[fragKey] = {
body: frag,
loaded: data,
backtrack: null,
buffered: false,
range: Object.create(null)
};
};
_proto.onBufferAppended = function onBufferAppended(event, data) {
var _this3 = this;
var frag = data.frag,
part = data.part,
timeRanges = data.timeRanges;
if (frag.type === _types_loader__WEBPACK_IMPORTED_MODULE_1__["PlaylistLevelType"].MAIN) {
this.activeFragment = frag;
if (part) {
var activeParts = this.activeParts;
if (!activeParts) {
this.activeParts = activeParts = [];
}
activeParts.push(part);
} else {
this.activeParts = null;
}
} // Store the latest timeRanges loaded in the buffer
this.timeRanges = timeRanges;
Object.keys(timeRanges).forEach(function (elementaryStream) {
var timeRange = timeRanges[elementaryStream];
_this3.detectEvictedFragments(elementaryStream, timeRange);
if (!part) {
for (var i = 0; i < timeRange.length; i++) {
frag.appendedPTS = Math.max(timeRange.end(i), frag.appendedPTS || 0);
}
}
});
};
_proto.onFragBuffered = function onFragBuffered(event, data) {
this.detectPartialFragments(data);
};
_proto.hasFragment = function hasFragment(fragment) {
var fragKey = getFragmentKey(fragment);
return !!this.fragments[fragKey];
};
_proto.removeFragment = function removeFragment(fragment) {
var fragKey = getFragmentKey(fragment);
fragment.stats.loaded = 0;
fragment.clearElementaryStreamInfo();
delete this.fragments[fragKey];
};
_proto.removeAllFragments = function removeAllFragments() {
this.fragments = Object.create(null);
this.activeFragment = null;
this.activeParts = null;
};
return FragmentTracker;
}();
function isPartial(fragmentEntity) {
var _fragmentEntity$range, _fragmentEntity$range2;
return fragmentEntity.buffered && (((_fragmentEntity$range = fragmentEntity.range.video) === null || _fragmentEntity$range === void 0 ? void 0 : _fragmentEntity$range.partial) || ((_fragmentEntity$range2 = fragmentEntity.range.audio) === null || _fragmentEntity$range2 === void 0 ? void 0 : _fragmentEntity$range2.partial));
}
function getFragmentKey(fragment) {
return fragment.type + "_" + fragment.level + "_" + fragment.urlId + "_" + fragment.sn;
}
/***/ }),
/***/ "./src/controller/gap-controller.ts":
/*!******************************************!*\
!*** ./src/controller/gap-controller.ts ***!
\******************************************/
/*! exports provided: STALL_MINIMUM_DURATION_MS, MAX_START_GAP_JUMP, SKIP_BUFFER_HOLE_STEP_SECONDS, SKIP_BUFFER_RANGE_START, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "STALL_MINIMUM_DURATION_MS", function() { return STALL_MINIMUM_DURATION_MS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "MAX_START_GAP_JUMP", function() { return MAX_START_GAP_JUMP; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SKIP_BUFFER_HOLE_STEP_SECONDS", function() { return SKIP_BUFFER_HOLE_STEP_SECONDS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SKIP_BUFFER_RANGE_START", function() { return SKIP_BUFFER_RANGE_START; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return GapController; });
/* harmony import */ var _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/buffer-helper */ "./src/utils/buffer-helper.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
var STALL_MINIMUM_DURATION_MS = 250;
var MAX_START_GAP_JUMP = 2.0;
var SKIP_BUFFER_HOLE_STEP_SECONDS = 0.1;
var SKIP_BUFFER_RANGE_START = 0.05;
var GapController = /*#__PURE__*/function () {
function GapController(config, media, fragmentTracker, hls) {
this.config = void 0;
this.media = void 0;
this.fragmentTracker = void 0;
this.hls = void 0;
this.nudgeRetry = 0;
this.stallReported = false;
this.stalled = null;
this.moved = false;
this.seeking = false;
this.config = config;
this.media = media;
this.fragmentTracker = fragmentTracker;
this.hls = hls;
}
var _proto = GapController.prototype;
_proto.destroy = function destroy() {
// @ts-ignore
this.hls = this.fragmentTracker = this.media = null;
}
/**
* Checks if the playhead is stuck within a gap, and if so, attempts to free it.
* A gap is an unbuffered range between two buffered ranges (or the start and the first buffered range).
*
* @param {number} lastCurrentTime Previously read playhead position
*/
;
_proto.poll = function poll(lastCurrentTime) {
var config = this.config,
media = this.media,
stalled = this.stalled;
var currentTime = media.currentTime,
seeking = media.seeking;
var seeked = this.seeking && !seeking;
var beginSeek = !this.seeking && seeking;
this.seeking = seeking; // The playhead is moving, no-op
if (currentTime !== lastCurrentTime) {
this.moved = true;
if (stalled !== null) {
// The playhead is now moving, but was previously stalled
if (this.stallReported) {
var _stalledDuration = self.performance.now() - stalled;
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn("playback not stuck anymore @" + currentTime + ", after " + Math.round(_stalledDuration) + "ms");
this.stallReported = false;
}
this.stalled = null;
this.nudgeRetry = 0;
}
return;
} // Clear stalled state when beginning or finishing seeking so that we don't report stalls coming out of a seek
if (beginSeek || seeked) {
this.stalled = null;
} // The playhead should not be moving
if (media.paused || media.ended || media.playbackRate === 0 || !_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_0__["BufferHelper"].getBuffered(media).length) {
return;
}
var bufferInfo = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_0__["BufferHelper"].bufferInfo(media, currentTime, 0);
var isBuffered = bufferInfo.len > 0;
var nextStart = bufferInfo.nextStart || 0; // There is no playable buffer (seeked, waiting for buffer)
if (!isBuffered && !nextStart) {
return;
}
if (seeking) {
// Waiting for seeking in a buffered range to complete
var hasEnoughBuffer = bufferInfo.len > MAX_START_GAP_JUMP; // Next buffered range is too far ahead to jump to while still seeking
var noBufferGap = !nextStart || nextStart - currentTime > MAX_START_GAP_JUMP && !this.fragmentTracker.getPartialFragment(currentTime);
if (hasEnoughBuffer || noBufferGap) {
return;
} // Reset moved state when seeking to a point in or before a gap
this.moved = false;
} // Skip start gaps if we haven't played, but the last poll detected the start of a stall
// The addition poll gives the browser a chance to jump the gap for us
if (!this.moved && this.stalled !== null) {
var _level$details;
// Jump start gaps within jump threshold
var startJump = Math.max(nextStart, bufferInfo.start || 0) - currentTime; // When joining a live stream with audio tracks, account for live playlist window sliding by allowing
// a larger jump over start gaps caused by the audio-stream-controller buffering a start fragment
// that begins over 1 target duration after the video start position.
var level = this.hls.levels ? this.hls.levels[this.hls.currentLevel] : null;
var isLive = level === null || level === void 0 ? void 0 : (_level$details = level.details) === null || _level$details === void 0 ? void 0 : _level$details.live;
var maxStartGapJump = isLive ? level.details.targetduration * 2 : MAX_START_GAP_JUMP;
if (startJump > 0 && startJump <= maxStartGapJump) {
this._trySkipBufferHole(null);
return;
}
} // Start tracking stall time
var tnow = self.performance.now();
if (stalled === null) {
this.stalled = tnow;
return;
}
var stalledDuration = tnow - stalled;
if (!seeking && stalledDuration >= STALL_MINIMUM_DURATION_MS) {
// Report stalling after trying to fix
this._reportStall(bufferInfo.len);
}
var bufferedWithHoles = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_0__["BufferHelper"].bufferInfo(media, currentTime, config.maxBufferHole);
this._tryFixBufferStall(bufferedWithHoles, stalledDuration);
}
/**
* Detects and attempts to fix known buffer stalling issues.
* @param bufferInfo - The properties of the current buffer.
* @param stalledDurationMs - The amount of time Hls.js has been stalling for.
* @private
*/
;
_proto._tryFixBufferStall = function _tryFixBufferStall(bufferInfo, stalledDurationMs) {
var config = this.config,
fragmentTracker = this.fragmentTracker,
media = this.media;
var currentTime = media.currentTime;
var partial = fragmentTracker.getPartialFragment(currentTime);
if (partial) {
// Try to skip over the buffer hole caused by a partial fragment
// This method isn't limited by the size of the gap between buffered ranges
var targetTime = this._trySkipBufferHole(partial); // we return here in this case, meaning
// the branch below only executes when we don't handle a partial fragment
if (targetTime) {
return;
}
} // if we haven't had to skip over a buffer hole of a partial fragment
// we may just have to "nudge" the playlist as the browser decoding/rendering engine
// needs to cross some sort of threshold covering all source-buffers content
// to start playing properly.
if (bufferInfo.len > config.maxBufferHole && stalledDurationMs > config.highBufferWatchdogPeriod * 1000) {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn('Trying to nudge playhead over buffer-hole'); // Try to nudge currentTime over a buffer hole if we've been stalling for the configured amount of seconds
// We only try to jump the hole if it's under the configured size
// Reset stalled so to rearm watchdog timer
this.stalled = null;
this._tryNudgeBuffer();
}
}
/**
* Triggers a BUFFER_STALLED_ERROR event, but only once per stall period.
* @param bufferLen - The playhead distance from the end of the current buffer segment.
* @private
*/
;
_proto._reportStall = function _reportStall(bufferLen) {
var hls = this.hls,
media = this.media,
stallReported = this.stallReported;
if (!stallReported) {
// Report stalled error once
this.stallReported = true;
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn("Playback stalling at @" + media.currentTime + " due to low buffer (buffer=" + bufferLen + ")");
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].BUFFER_STALLED_ERROR,
fatal: false,
buffer: bufferLen
});
}
}
/**
* Attempts to fix buffer stalls by jumping over known gaps caused by partial fragments
* @param partial - The partial fragment found at the current time (where playback is stalling).
* @private
*/
;
_proto._trySkipBufferHole = function _trySkipBufferHole(partial) {
var config = this.config,
hls = this.hls,
media = this.media;
var currentTime = media.currentTime;
var lastEndTime = 0; // Check if currentTime is between unbuffered regions of partial fragments
var buffered = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_0__["BufferHelper"].getBuffered(media);
for (var i = 0; i < buffered.length; i++) {
var startTime = buffered.start(i);
if (currentTime + config.maxBufferHole >= lastEndTime && currentTime < startTime) {
var targetTime = Math.max(startTime + SKIP_BUFFER_RANGE_START, media.currentTime + SKIP_BUFFER_HOLE_STEP_SECONDS);
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn("skipping hole, adjusting currentTime from " + currentTime + " to " + targetTime);
this.moved = true;
this.stalled = null;
media.currentTime = targetTime;
if (partial) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].BUFFER_SEEK_OVER_HOLE,
fatal: false,
reason: "fragment loaded with buffer holes, seeking from " + currentTime + " to " + targetTime,
frag: partial
});
}
return targetTime;
}
lastEndTime = buffered.end(i);
}
return 0;
}
/**
* Attempts to fix buffer stalls by advancing the mediaElement's current time by a small amount.
* @private
*/
;
_proto._tryNudgeBuffer = function _tryNudgeBuffer() {
var config = this.config,
hls = this.hls,
media = this.media;
var currentTime = media.currentTime;
var nudgeRetry = (this.nudgeRetry || 0) + 1;
this.nudgeRetry = nudgeRetry;
if (nudgeRetry < config.nudgeMaxRetry) {
var targetTime = currentTime + nudgeRetry * config.nudgeOffset; // playback stalled in buffered area ... let's nudge currentTime to try to overcome this
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn("Nudging 'currentTime' from " + currentTime + " to " + targetTime);
media.currentTime = targetTime;
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].BUFFER_NUDGE_ON_STALL,
fatal: false
});
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].error("Playhead still not moving while enough data buffered @" + currentTime + " after " + config.nudgeMaxRetry + " nudges");
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].BUFFER_STALLED_ERROR,
fatal: true
});
}
};
return GapController;
}();
/***/ }),
/***/ "./src/controller/id3-track-controller.ts":
/*!************************************************!*\
!*** ./src/controller/id3-track-controller.ts ***!
\************************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_texttrack_utils__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/texttrack-utils */ "./src/utils/texttrack-utils.ts");
/* harmony import */ var _demux_id3__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../demux/id3 */ "./src/demux/id3.ts");
var MIN_CUE_DURATION = 0.25;
var ID3TrackController = /*#__PURE__*/function () {
function ID3TrackController(hls) {
this.hls = void 0;
this.id3Track = null;
this.media = null;
this.hls = hls;
this._registerListeners();
}
var _proto = ID3TrackController.prototype;
_proto.destroy = function destroy() {
this._unregisterListeners();
};
_proto._registerListeners = function _registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_ATTACHED, this.onMediaAttached, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FRAG_PARSING_METADATA, this.onFragParsingMetadata, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].BUFFER_FLUSHING, this.onBufferFlushing, this);
};
_proto._unregisterListeners = function _unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_ATTACHED, this.onMediaAttached, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].FRAG_PARSING_METADATA, this.onFragParsingMetadata, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].BUFFER_FLUSHING, this.onBufferFlushing, this);
} // Add ID3 metatadata text track.
;
_proto.onMediaAttached = function onMediaAttached(event, data) {
this.media = data.media;
};
_proto.onMediaDetaching = function onMediaDetaching() {
if (!this.id3Track) {
return;
}
Object(_utils_texttrack_utils__WEBPACK_IMPORTED_MODULE_1__["clearCurrentCues"])(this.id3Track);
this.id3Track = null;
this.media = null;
};
_proto.getID3Track = function getID3Track(textTracks) {
if (!this.media) {
return;
}
for (var i = 0; i < textTracks.length; i++) {
var textTrack = textTracks[i];
if (textTrack.kind === 'metadata' && textTrack.label === 'id3') {
// send 'addtrack' when reusing the textTrack for metadata,
// same as what we do for captions
Object(_utils_texttrack_utils__WEBPACK_IMPORTED_MODULE_1__["sendAddTrackEvent"])(textTrack, this.media);
return textTrack;
}
}
return this.media.addTextTrack('metadata', 'id3');
};
_proto.onFragParsingMetadata = function onFragParsingMetadata(event, data) {
if (!this.media) {
return;
}
var fragment = data.frag;
var samples = data.samples; // create track dynamically
if (!this.id3Track) {
this.id3Track = this.getID3Track(this.media.textTracks);
this.id3Track.mode = 'hidden';
} // Attempt to recreate Safari functionality by creating
// WebKitDataCue objects when available and store the decoded
// ID3 data in the value property of the cue
var Cue = self.WebKitDataCue || self.VTTCue || self.TextTrackCue;
for (var i = 0; i < samples.length; i++) {
var frames = _demux_id3__WEBPACK_IMPORTED_MODULE_2__["getID3Frames"](samples[i].data);
if (frames) {
var startTime = samples[i].pts;
var endTime = i < samples.length - 1 ? samples[i + 1].pts : fragment.end;
var timeDiff = endTime - startTime;
if (timeDiff <= 0) {
endTime = startTime + MIN_CUE_DURATION;
}
for (var j = 0; j < frames.length; j++) {
var frame = frames[j]; // Safari doesn't put the timestamp frame in the TextTrack
if (!_demux_id3__WEBPACK_IMPORTED_MODULE_2__["isTimeStampFrame"](frame)) {
var cue = new Cue(startTime, endTime, '');
cue.value = frame;
this.id3Track.addCue(cue);
}
}
}
}
};
_proto.onBufferFlushing = function onBufferFlushing(event, _ref) {
var startOffset = _ref.startOffset,
endOffset = _ref.endOffset,
type = _ref.type;
if (!type || type === 'audio') {
// id3 cues come from parsed audio only remove cues when audio buffer is cleared
var id3Track = this.id3Track;
if (id3Track) {
Object(_utils_texttrack_utils__WEBPACK_IMPORTED_MODULE_1__["removeCuesInRange"])(id3Track, startOffset, endOffset);
}
}
};
return ID3TrackController;
}();
/* harmony default export */ __webpack_exports__["default"] = (ID3TrackController);
/***/ }),
/***/ "./src/controller/latency-controller.ts":
/*!**********************************************!*\
!*** ./src/controller/latency-controller.ts ***!
\**********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return LatencyController; });
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
var LatencyController = /*#__PURE__*/function () {
function LatencyController(hls) {
var _this = this;
this.hls = void 0;
this.config = void 0;
this.media = null;
this.levelDetails = null;
this.currentTime = 0;
this.stallCount = 0;
this._latency = null;
this.timeupdateHandler = function () {
return _this.timeupdate();
};
this.hls = hls;
this.config = hls.config;
this.registerListeners();
}
var _proto = LatencyController.prototype;
_proto.destroy = function destroy() {
this.unregisterListeners();
this.onMediaDetaching();
this.levelDetails = null; // @ts-ignore
this.hls = this.timeupdateHandler = null;
};
_proto.registerListeners = function registerListeners() {
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_ATTACHED, this.onMediaAttached, this);
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADING, this.onManifestLoading, this);
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_UPDATED, this.onLevelUpdated, this);
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, this.onError, this);
};
_proto.unregisterListeners = function unregisterListeners() {
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_ATTACHED, this.onMediaAttached);
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MEDIA_DETACHING, this.onMediaDetaching);
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADING, this.onManifestLoading);
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_UPDATED, this.onLevelUpdated);
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, this.onError);
};
_proto.onMediaAttached = function onMediaAttached(event, data) {
this.media = data.media;
this.media.addEventListener('timeupdate', this.timeupdateHandler);
};
_proto.onMediaDetaching = function onMediaDetaching() {
if (this.media) {
this.media.removeEventListener('timeupdate', this.timeupdateHandler);
this.media = null;
}
};
_proto.onManifestLoading = function onManifestLoading() {
this.levelDetails = null;
this._latency = null;
this.stallCount = 0;
};
_proto.onLevelUpdated = function onLevelUpdated(event, _ref) {
var details = _ref.details;
this.levelDetails = details;
if (details.advanced) {
this.timeupdate();
}
if (!details.live && this.media) {
this.media.removeEventListener('timeupdate', this.timeupdateHandler);
}
};
_proto.onError = function onError(event, data) {
if (data.details !== _errors__WEBPACK_IMPORTED_MODULE_0__["ErrorDetails"].BUFFER_STALLED_ERROR) {
return;
}
this.stallCount++;
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn('[playback-rate-controller]: Stall detected, adjusting target latency');
};
_proto.timeupdate = function timeupdate() {
var media = this.media,
levelDetails = this.levelDetails;
if (!media || !levelDetails) {
return;
}
this.currentTime = media.currentTime;
var latency = this.computeLatency();
if (latency === null) {
return;
}
this._latency = latency; // Adapt playbackRate to meet target latency in low-latency mode
var _this$config = this.config,
lowLatencyMode = _this$config.lowLatencyMode,
maxLiveSyncPlaybackRate = _this$config.maxLiveSyncPlaybackRate;
if (!lowLatencyMode || maxLiveSyncPlaybackRate === 1) {
return;
}
var targetLatency = this.targetLatency;
if (targetLatency === null) {
return;
}
var distanceFromTarget = latency - targetLatency; // Only adjust playbackRate when within one target duration of targetLatency
// and more than one second from under-buffering.
// Playback further than one target duration from target can be considered DVR playback.
var liveMinLatencyDuration = Math.min(this.maxLatency, targetLatency + levelDetails.targetduration);
var inLiveRange = distanceFromTarget < liveMinLatencyDuration;
if (levelDetails.live && inLiveRange && distanceFromTarget > 0.05 && this.forwardBufferLength > 1) {
var max = Math.min(2, Math.max(1.0, maxLiveSyncPlaybackRate));
var rate = Math.round(2 / (1 + Math.exp(-0.75 * distanceFromTarget - this.edgeStalled)) * 20) / 20;
media.playbackRate = Math.min(max, Math.max(1, rate));
} else if (media.playbackRate !== 1 && media.playbackRate !== 0) {
media.playbackRate = 1;
}
};
_proto.estimateLiveEdge = function estimateLiveEdge() {
var levelDetails = this.levelDetails;
if (levelDetails === null) {
return null;
}
return levelDetails.edge + levelDetails.age;
};
_proto.computeLatency = function computeLatency() {
var liveEdge = this.estimateLiveEdge();
if (liveEdge === null) {
return null;
}
return liveEdge - this.currentTime;
};
_createClass(LatencyController, [{
key: "latency",
get: function get() {
return this._latency || 0;
}
}, {
key: "maxLatency",
get: function get() {
var config = this.config,
levelDetails = this.levelDetails;
if (config.liveMaxLatencyDuration !== undefined) {
return config.liveMaxLatencyDuration;
}
return levelDetails ? config.liveMaxLatencyDurationCount * levelDetails.targetduration : 0;
}
}, {
key: "targetLatency",
get: function get() {
var levelDetails = this.levelDetails;
if (levelDetails === null) {
return null;
}
var holdBack = levelDetails.holdBack,
partHoldBack = levelDetails.partHoldBack,
targetduration = levelDetails.targetduration;
var _this$config2 = this.config,
liveSyncDuration = _this$config2.liveSyncDuration,
liveSyncDurationCount = _this$config2.liveSyncDurationCount,
lowLatencyMode = _this$config2.lowLatencyMode;
var userConfig = this.hls.userConfig;
var targetLatency = lowLatencyMode ? partHoldBack || holdBack : holdBack;
if (userConfig.liveSyncDuration || userConfig.liveSyncDurationCount || targetLatency === 0) {
targetLatency = liveSyncDuration !== undefined ? liveSyncDuration : liveSyncDurationCount * targetduration;
}
var maxLiveSyncOnStallIncrease = targetduration;
var liveSyncOnStallIncrease = 1.0;
return targetLatency + Math.min(this.stallCount * liveSyncOnStallIncrease, maxLiveSyncOnStallIncrease);
}
}, {
key: "liveSyncPosition",
get: function get() {
var liveEdge = this.estimateLiveEdge();
var targetLatency = this.targetLatency;
var levelDetails = this.levelDetails;
if (liveEdge === null || targetLatency === null || levelDetails === null) {
return null;
}
var edge = levelDetails.edge;
var syncPosition = liveEdge - targetLatency - this.edgeStalled;
var min = edge - levelDetails.totalduration;
var max = edge - (this.config.lowLatencyMode && levelDetails.partTarget || levelDetails.targetduration);
return Math.min(Math.max(min, syncPosition), max);
}
}, {
key: "edgeStalled",
get: function get() {
var levelDetails = this.levelDetails;
if (levelDetails === null) {
return 0;
}
var maxLevelUpdateAge = (this.config.lowLatencyMode && levelDetails.partTarget || levelDetails.targetduration) * 3;
return Math.max(levelDetails.age - maxLevelUpdateAge, 0);
}
}, {
key: "forwardBufferLength",
get: function get() {
var media = this.media,
levelDetails = this.levelDetails;
if (!media || !levelDetails) {
return 0;
}
var bufferedRanges = media.buffered.length;
return bufferedRanges ? media.buffered.end(bufferedRanges - 1) : levelDetails.edge - this.currentTime;
}
}]);
return LatencyController;
}();
/***/ }),
/***/ "./src/controller/level-controller.ts":
/*!********************************************!*\
!*** ./src/controller/level-controller.ts ***!
\********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return LevelController; });
/* harmony import */ var _types_level__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../types/level */ "./src/types/level.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_codecs__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/codecs */ "./src/utils/codecs.ts");
/* harmony import */ var _level_helper__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./level-helper */ "./src/controller/level-helper.ts");
/* harmony import */ var _base_playlist_controller__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./base-playlist-controller */ "./src/controller/base-playlist-controller.ts");
/* harmony import */ var _types_loader__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../types/loader */ "./src/types/loader.ts");
function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
/*
* Level Controller
*/
var chromeOrFirefox = /chrome|firefox/.test(navigator.userAgent.toLowerCase());
var LevelController = /*#__PURE__*/function (_BasePlaylistControll) {
_inheritsLoose(LevelController, _BasePlaylistControll);
function LevelController(hls) {
var _this;
_this = _BasePlaylistControll.call(this, hls, '[level-controller]') || this;
_this._levels = [];
_this._firstLevel = -1;
_this._startLevel = void 0;
_this.currentLevelIndex = -1;
_this.manualLevelIndex = -1;
_this.onParsedComplete = void 0;
_this._registerListeners();
return _this;
}
var _proto = LevelController.prototype;
_proto._registerListeners = function _registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADED, this.onManifestLoaded, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_LOADED, this.onLevelLoaded, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].AUDIO_TRACK_SWITCHED, this.onAudioTrackSwitched, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_LOADED, this.onFragLoaded, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, this.onError, this);
};
_proto._unregisterListeners = function _unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADED, this.onManifestLoaded, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_LOADED, this.onLevelLoaded, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].AUDIO_TRACK_SWITCHED, this.onAudioTrackSwitched, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_LOADED, this.onFragLoaded, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, this.onError, this);
};
_proto.destroy = function destroy() {
this._unregisterListeners();
this.manualLevelIndex = -1;
this._levels.length = 0;
_BasePlaylistControll.prototype.destroy.call(this);
};
_proto.startLoad = function startLoad() {
var levels = this._levels; // clean up live level details to force reload them, and reset load errors
levels.forEach(function (level) {
level.loadError = 0;
});
_BasePlaylistControll.prototype.startLoad.call(this);
};
_proto.onManifestLoaded = function onManifestLoaded(event, data) {
var levels = [];
var audioTracks = [];
var subtitleTracks = [];
var bitrateStart;
var levelSet = {};
var levelFromSet;
var resolutionFound = false;
var videoCodecFound = false;
var audioCodecFound = false; // regroup redundant levels together
data.levels.forEach(function (levelParsed) {
var attributes = levelParsed.attrs;
resolutionFound = resolutionFound || !!(levelParsed.width && levelParsed.height);
videoCodecFound = videoCodecFound || !!levelParsed.videoCodec;
audioCodecFound = audioCodecFound || !!levelParsed.audioCodec; // erase audio codec info if browser does not support mp4a.40.34.
// demuxer will autodetect codec and fallback to mpeg/audio
if (chromeOrFirefox && levelParsed.audioCodec && levelParsed.audioCodec.indexOf('mp4a.40.34') !== -1) {
levelParsed.audioCodec = undefined;
}
levelFromSet = levelSet[levelParsed.bitrate]; // FIXME: we would also have to match the resolution here
if (!levelFromSet) {
levelFromSet = new _types_level__WEBPACK_IMPORTED_MODULE_0__["Level"](levelParsed);
levelSet[levelParsed.bitrate] = levelFromSet;
levels.push(levelFromSet);
} else {
levelFromSet.url.push(levelParsed.url);
}
if (attributes) {
if (attributes.AUDIO) {
Object(_level_helper__WEBPACK_IMPORTED_MODULE_4__["addGroupId"])(levelFromSet, 'audio', attributes.AUDIO);
}
if (attributes.SUBTITLES) {
Object(_level_helper__WEBPACK_IMPORTED_MODULE_4__["addGroupId"])(levelFromSet, 'text', attributes.SUBTITLES);
}
}
}); // remove audio-only level if we also have levels with video codecs or RESOLUTION signalled
if ((resolutionFound || videoCodecFound) && audioCodecFound) {
levels = levels.filter(function (_ref) {
var videoCodec = _ref.videoCodec,
width = _ref.width,
height = _ref.height;
return !!videoCodec || !!(width && height);
});
} // only keep levels with supported audio/video codecs
levels = levels.filter(function (_ref2) {
var audioCodec = _ref2.audioCodec,
videoCodec = _ref2.videoCodec;
return (!audioCodec || Object(_utils_codecs__WEBPACK_IMPORTED_MODULE_3__["isCodecSupportedInMp4"])(audioCodec, 'audio')) && (!videoCodec || Object(_utils_codecs__WEBPACK_IMPORTED_MODULE_3__["isCodecSupportedInMp4"])(videoCodec, 'video'));
});
if (data.audioTracks) {
audioTracks = data.audioTracks.filter(function (track) {
return !track.audioCodec || Object(_utils_codecs__WEBPACK_IMPORTED_MODULE_3__["isCodecSupportedInMp4"])(track.audioCodec, 'audio');
}); // Assign ids after filtering as array indices by group-id
Object(_level_helper__WEBPACK_IMPORTED_MODULE_4__["assignTrackIdsByGroup"])(audioTracks);
}
if (data.subtitles) {
subtitleTracks = data.subtitles;
Object(_level_helper__WEBPACK_IMPORTED_MODULE_4__["assignTrackIdsByGroup"])(subtitleTracks);
}
if (levels.length > 0) {
// start bitrate is the first bitrate of the manifest
bitrateStart = levels[0].bitrate; // sort level on bitrate
levels.sort(function (a, b) {
return a.bitrate - b.bitrate;
});
this._levels = levels; // find index of first level in sorted levels
for (var i = 0; i < levels.length; i++) {
if (levels[i].bitrate === bitrateStart) {
this._firstLevel = i;
this.log("manifest loaded, " + levels.length + " level(s) found, first bitrate: " + bitrateStart);
break;
}
} // Audio is only alternate if manifest include a URI along with the audio group tag,
// and this is not an audio-only stream where levels contain audio-only
var audioOnly = audioCodecFound && !videoCodecFound;
var edata = {
levels: levels,
audioTracks: audioTracks,
subtitleTracks: subtitleTracks,
firstLevel: this._firstLevel,
stats: data.stats,
audio: audioCodecFound,
video: videoCodecFound,
altAudio: !audioOnly && audioTracks.some(function (t) {
return !!t.url;
})
};
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_PARSED, edata); // Initiate loading after all controllers have received MANIFEST_PARSED
if (this.hls.config.autoStartLoad || this.hls.forceStartLoad) {
this.hls.startLoad(this.hls.config.startPosition);
}
} else {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].MANIFEST_INCOMPATIBLE_CODECS_ERROR,
fatal: true,
url: data.url,
reason: 'no level with compatible codecs found in manifest'
});
}
};
_proto.onError = function onError(event, data) {
_BasePlaylistControll.prototype.onError.call(this, event, data);
if (data.fatal) {
return;
} // Switch to redundant level when track fails to load
var context = data.context;
var level = this._levels[this.currentLevelIndex];
if (context && (context.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK && level.audioGroupIds && context.groupId === level.audioGroupIds[level.urlId] || context.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK && level.textGroupIds && context.groupId === level.textGroupIds[level.urlId])) {
this.redundantFailover(this.currentLevelIndex);
return;
}
var levelError = false;
var levelSwitch = true;
var levelIndex; // try to recover not fatal errors
switch (data.details) {
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].FRAG_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].FRAG_LOAD_TIMEOUT:
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].KEY_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].KEY_LOAD_TIMEOUT:
if (data.frag) {
var _level = this._levels[data.frag.level]; // Set levelIndex when we're out of fragment retries
if (_level) {
_level.fragmentError++;
if (_level.fragmentError > this.hls.config.fragLoadingMaxRetry) {
levelIndex = data.frag.level;
}
} else {
levelIndex = data.frag.level;
}
}
break;
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].LEVEL_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].LEVEL_LOAD_TIMEOUT:
// Do not perform level switch if an error occurred using delivery directives
// Attempt to reload level without directives first
if (context) {
if (context.deliveryDirectives) {
levelSwitch = false;
}
levelIndex = context.level;
}
levelError = true;
break;
case _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].REMUX_ALLOC_ERROR:
levelIndex = data.level;
levelError = true;
break;
}
if (levelIndex !== undefined) {
this.recoverLevel(data, levelIndex, levelError, levelSwitch);
}
}
/**
* Switch to a redundant stream if any available.
* If redundant stream is not available, emergency switch down if ABR mode is enabled.
*/
;
_proto.recoverLevel = function recoverLevel(errorEvent, levelIndex, levelError, levelSwitch) {
var errorDetails = errorEvent.details;
var level = this._levels[levelIndex];
level.loadError++;
if (levelError) {
var retrying = this.retryLoadingOrFail(errorEvent);
if (retrying) {
// boolean used to inform stream controller not to switch back to IDLE on non fatal error
errorEvent.levelRetry = true;
} else {
this.currentLevelIndex = -1;
return;
}
}
if (levelSwitch) {
var redundantLevels = level.url.length; // Try redundant fail-over until level.loadError reaches redundantLevels
if (redundantLevels > 1 && level.loadError < redundantLevels) {
errorEvent.levelRetry = true;
this.redundantFailover(levelIndex);
} else if (this.manualLevelIndex === -1) {
// Search for available level in auto level selection mode, cycling from highest to lowest bitrate
var nextLevel = levelIndex === 0 ? this._levels.length - 1 : levelIndex - 1;
if (this.currentLevelIndex !== nextLevel && this._levels[nextLevel].loadError === 0) {
this.warn(errorDetails + ": switch to " + nextLevel);
errorEvent.levelRetry = true;
this.hls.nextAutoLevel = nextLevel;
}
}
}
};
_proto.redundantFailover = function redundantFailover(levelIndex) {
var level = this._levels[levelIndex];
var redundantLevels = level.url.length;
if (redundantLevels > 1) {
// Update the url id of all levels so that we stay on the same set of variants when level switching
var newUrlId = (level.urlId + 1) % redundantLevels;
this.warn("Switching to redundant URL-id " + newUrlId);
this._levels.forEach(function (level) {
level.urlId = newUrlId;
});
this.level = levelIndex;
}
} // reset errors on the successful load of a fragment
;
_proto.onFragLoaded = function onFragLoaded(event, _ref3) {
var frag = _ref3.frag;
if (frag !== undefined && frag.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN) {
var level = this._levels[frag.level];
if (level !== undefined) {
level.fragmentError = 0;
level.loadError = 0;
}
}
};
_proto.onLevelLoaded = function onLevelLoaded(event, data) {
var _data$deliveryDirecti2;
var level = data.level,
details = data.details;
var curLevel = this._levels[level];
if (!curLevel) {
var _data$deliveryDirecti;
this.warn("Invalid level index " + level);
if ((_data$deliveryDirecti = data.deliveryDirectives) !== null && _data$deliveryDirecti !== void 0 && _data$deliveryDirecti.skip) {
details.deltaUpdateFailed = true;
}
return;
} // only process level loaded events matching with expected level
if (level === this.currentLevelIndex) {
// reset level load error counter on successful level loaded only if there is no issues with fragments
if (curLevel.fragmentError === 0) {
curLevel.loadError = 0;
this.retryCount = 0;
}
this.playlistLoaded(level, data, curLevel.details);
} else if ((_data$deliveryDirecti2 = data.deliveryDirectives) !== null && _data$deliveryDirecti2 !== void 0 && _data$deliveryDirecti2.skip) {
// received a delta playlist update that cannot be merged
details.deltaUpdateFailed = true;
}
};
_proto.onAudioTrackSwitched = function onAudioTrackSwitched(event, data) {
var currentLevel = this.hls.levels[this.currentLevelIndex];
if (!currentLevel) {
return;
}
if (currentLevel.audioGroupIds) {
var urlId = -1;
var audioGroupId = this.hls.audioTracks[data.id].groupId;
for (var i = 0; i < currentLevel.audioGroupIds.length; i++) {
if (currentLevel.audioGroupIds[i] === audioGroupId) {
urlId = i;
break;
}
}
if (urlId !== currentLevel.urlId) {
currentLevel.urlId = urlId;
this.startLoad();
}
}
};
_proto.loadPlaylist = function loadPlaylist(hlsUrlParameters) {
var level = this.currentLevelIndex;
var currentLevel = this._levels[level];
if (this.canLoad && currentLevel && currentLevel.url.length > 0) {
var id = currentLevel.urlId;
var url = currentLevel.url[id];
if (hlsUrlParameters) {
try {
url = hlsUrlParameters.addDirectives(url);
} catch (error) {
this.warn("Could not construct new URL with HLS Delivery Directives: " + error);
}
}
this.log("Attempt loading level index " + level + (hlsUrlParameters ? ' at sn ' + hlsUrlParameters.msn + ' part ' + hlsUrlParameters.part : '') + " with URL-id " + id + " " + url); // console.log('Current audio track group ID:', this.hls.audioTracks[this.hls.audioTrack].groupId);
// console.log('New video quality level audio group id:', levelObject.attrs.AUDIO, level);
this.clearTimer();
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_LOADING, {
url: url,
level: level,
id: id,
deliveryDirectives: hlsUrlParameters || null
});
}
};
_proto.removeLevel = function removeLevel(levelIndex, urlId) {
var filterLevelAndGroupByIdIndex = function filterLevelAndGroupByIdIndex(url, id) {
return id !== urlId;
};
var levels = this._levels.filter(function (level, index) {
if (index !== levelIndex) {
return true;
}
if (level.url.length > 1 && urlId !== undefined) {
level.url = level.url.filter(filterLevelAndGroupByIdIndex);
if (level.audioGroupIds) {
level.audioGroupIds = level.audioGroupIds.filter(filterLevelAndGroupByIdIndex);
}
if (level.textGroupIds) {
level.textGroupIds = level.textGroupIds.filter(filterLevelAndGroupByIdIndex);
}
level.urlId = 0;
return true;
}
return false;
}).map(function (level, index) {
var details = level.details;
if (details !== null && details !== void 0 && details.fragments) {
details.fragments.forEach(function (fragment) {
fragment.level = index;
});
}
return level;
});
this._levels = levels;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVELS_UPDATED, {
levels: levels
});
};
_createClass(LevelController, [{
key: "levels",
get: function get() {
if (this._levels.length === 0) {
return null;
}
return this._levels;
}
}, {
key: "level",
get: function get() {
return this.currentLevelIndex;
},
set: function set(newLevel) {
var _levels$newLevel;
var levels = this._levels;
if (levels.length === 0) {
return;
}
if (this.currentLevelIndex === newLevel && (_levels$newLevel = levels[newLevel]) !== null && _levels$newLevel !== void 0 && _levels$newLevel.details) {
return;
} // check if level idx is valid
if (newLevel < 0 || newLevel >= levels.length) {
// invalid level id given, trigger error
var fatal = newLevel < 0;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorTypes"].OTHER_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].LEVEL_SWITCH_ERROR,
level: newLevel,
fatal: fatal,
reason: 'invalid level idx'
});
if (fatal) {
return;
}
newLevel = Math.min(newLevel, levels.length - 1);
} // stopping live reloading timer if any
this.clearTimer();
var lastLevelIndex = this.currentLevelIndex;
var lastLevel = levels[lastLevelIndex];
var level = levels[newLevel];
this.log("switching to level " + newLevel + " from " + lastLevelIndex);
this.currentLevelIndex = newLevel;
var levelSwitchingData = _extends({}, level, {
level: newLevel,
maxBitrate: level.maxBitrate,
uri: level.uri,
urlId: level.urlId
}); // @ts-ignore
delete levelSwitchingData._urlId;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_SWITCHING, levelSwitchingData); // check if we need to load playlist for this level
var levelDetails = level.details;
if (!levelDetails || levelDetails.live) {
// level not retrieved yet, or live playlist we need to (re)load it
var hlsUrlParameters = this.switchParams(level.uri, lastLevel === null || lastLevel === void 0 ? void 0 : lastLevel.details);
this.loadPlaylist(hlsUrlParameters);
}
}
}, {
key: "manualLevel",
get: function get() {
return this.manualLevelIndex;
},
set: function set(newLevel) {
this.manualLevelIndex = newLevel;
if (this._startLevel === undefined) {
this._startLevel = newLevel;
}
if (newLevel !== -1) {
this.level = newLevel;
}
}
}, {
key: "firstLevel",
get: function get() {
return this._firstLevel;
},
set: function set(newLevel) {
this._firstLevel = newLevel;
}
}, {
key: "startLevel",
get: function get() {
// hls.startLevel takes precedence over config.startLevel
// if none of these values are defined, fallback on this._firstLevel (first quality level appearing in variant manifest)
if (this._startLevel === undefined) {
var configStartLevel = this.hls.config.startLevel;
if (configStartLevel !== undefined) {
return configStartLevel;
} else {
return this._firstLevel;
}
} else {
return this._startLevel;
}
},
set: function set(newLevel) {
this._startLevel = newLevel;
}
}, {
key: "nextLoadLevel",
get: function get() {
if (this.manualLevelIndex !== -1) {
return this.manualLevelIndex;
} else {
return this.hls.nextAutoLevel;
}
},
set: function set(nextLevel) {
this.level = nextLevel;
if (this.manualLevelIndex === -1) {
this.hls.nextAutoLevel = nextLevel;
}
}
}]);
return LevelController;
}(_base_playlist_controller__WEBPACK_IMPORTED_MODULE_5__["default"]);
/***/ }),
/***/ "./src/controller/level-helper.ts":
/*!****************************************!*\
!*** ./src/controller/level-helper.ts ***!
\****************************************/
/*! exports provided: addGroupId, assignTrackIdsByGroup, updatePTS, updateFragPTSDTS, mergeDetails, mapPartIntersection, mapFragmentIntersection, adjustSliding, computeReloadInterval, getFragmentWithSN, getPartWith */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "addGroupId", function() { return addGroupId; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "assignTrackIdsByGroup", function() { return assignTrackIdsByGroup; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "updatePTS", function() { return updatePTS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "updateFragPTSDTS", function() { return updateFragPTSDTS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "mergeDetails", function() { return mergeDetails; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "mapPartIntersection", function() { return mapPartIntersection; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "mapFragmentIntersection", function() { return mapFragmentIntersection; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "adjustSliding", function() { return adjustSliding; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "computeReloadInterval", function() { return computeReloadInterval; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getFragmentWithSN", function() { return getFragmentWithSN; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getPartWith", function() { return getPartWith; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/**
* @module LevelHelper
* Providing methods dealing with playlist sliding and drift
* */
function addGroupId(level, type, id) {
switch (type) {
case 'audio':
if (!level.audioGroupIds) {
level.audioGroupIds = [];
}
level.audioGroupIds.push(id);
break;
case 'text':
if (!level.textGroupIds) {
level.textGroupIds = [];
}
level.textGroupIds.push(id);
break;
}
}
function assignTrackIdsByGroup(tracks) {
var groups = {};
tracks.forEach(function (track) {
var groupId = track.groupId || '';
track.id = groups[groupId] = groups[groupId] || 0;
groups[groupId]++;
});
}
function updatePTS(fragments, fromIdx, toIdx) {
var fragFrom = fragments[fromIdx];
var fragTo = fragments[toIdx];
updateFromToPTS(fragFrom, fragTo);
}
function updateFromToPTS(fragFrom, fragTo) {
var fragToPTS = fragTo.startPTS; // if we know startPTS[toIdx]
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(fragToPTS)) {
// update fragment duration.
// it helps to fix drifts between playlist reported duration and fragment real duration
var duration = 0;
var frag;
if (fragTo.sn > fragFrom.sn) {
duration = fragToPTS - fragFrom.start;
frag = fragFrom;
} else {
duration = fragFrom.start - fragToPTS;
frag = fragTo;
} // TODO? Drift can go either way, or the playlist could be completely accurate
// console.assert(duration > 0,
// `duration of ${duration} computed for frag ${frag.sn}, level ${frag.level}, there should be some duration drift between playlist and fragment!`);
if (frag.duration !== duration) {
frag.duration = duration;
} // we dont know startPTS[toIdx]
} else if (fragTo.sn > fragFrom.sn) {
var contiguous = fragFrom.cc === fragTo.cc; // TODO: With part-loading end/durations we need to confirm the whole fragment is loaded before using (or setting) minEndPTS
if (contiguous && fragFrom.minEndPTS) {
fragTo.start = fragFrom.start + (fragFrom.minEndPTS - fragFrom.start);
} else {
fragTo.start = fragFrom.start + fragFrom.duration;
}
} else {
fragTo.start = Math.max(fragFrom.start - fragTo.duration, 0);
}
}
function updateFragPTSDTS(details, frag, startPTS, endPTS, startDTS, endDTS) {
var parsedMediaDuration = endPTS - startPTS;
if (parsedMediaDuration <= 0) {
_utils_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].warn('Fragment should have a positive duration', frag);
endPTS = startPTS + frag.duration;
endDTS = startDTS + frag.duration;
}
var maxStartPTS = startPTS;
var minEndPTS = endPTS;
var fragStartPts = frag.startPTS;
var fragEndPts = frag.endPTS;
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(fragStartPts)) {
// delta PTS between audio and video
var deltaPTS = Math.abs(fragStartPts - startPTS);
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(frag.deltaPTS)) {
frag.deltaPTS = deltaPTS;
} else {
frag.deltaPTS = Math.max(deltaPTS, frag.deltaPTS);
}
maxStartPTS = Math.max(startPTS, fragStartPts);
startPTS = Math.min(startPTS, fragStartPts);
startDTS = Math.min(startDTS, frag.startDTS);
minEndPTS = Math.min(endPTS, fragEndPts);
endPTS = Math.max(endPTS, fragEndPts);
endDTS = Math.max(endDTS, frag.endDTS);
}
frag.duration = endPTS - startPTS;
var drift = startPTS - frag.start;
frag.appendedPTS = endPTS;
frag.start = frag.startPTS = startPTS;
frag.maxStartPTS = maxStartPTS;
frag.startDTS = startDTS;
frag.endPTS = endPTS;
frag.minEndPTS = minEndPTS;
frag.endDTS = endDTS;
var sn = frag.sn; // 'initSegment'
// exit if sn out of range
if (!details || sn < details.startSN || sn > details.endSN) {
return 0;
}
var i;
var fragIdx = sn - details.startSN;
var fragments = details.fragments; // update frag reference in fragments array
// rationale is that fragments array might not contain this frag object.
// this will happen if playlist has been refreshed between frag loading and call to updateFragPTSDTS()
// if we don't update frag, we won't be able to propagate PTS info on the playlist
// resulting in invalid sliding computation
fragments[fragIdx] = frag; // adjust fragment PTS/duration from seqnum-1 to frag 0
for (i = fragIdx; i > 0; i--) {
updateFromToPTS(fragments[i], fragments[i - 1]);
} // adjust fragment PTS/duration from seqnum to last frag
for (i = fragIdx; i < fragments.length - 1; i++) {
updateFromToPTS(fragments[i], fragments[i + 1]);
}
if (details.fragmentHint) {
updateFromToPTS(fragments[fragments.length - 1], details.fragmentHint);
}
details.PTSKnown = details.alignedSliding = true;
return drift;
}
function mergeDetails(oldDetails, newDetails) {
// potentially retrieve cached initsegment
if (newDetails.initSegment && oldDetails.initSegment) {
newDetails.initSegment = oldDetails.initSegment;
}
if (oldDetails.fragmentHint) {
// prevent PTS and duration from being adjusted on the next hint
delete oldDetails.fragmentHint.endPTS;
} // check if old/new playlists have fragments in common
// loop through overlapping SN and update startPTS , cc, and duration if any found
var ccOffset = 0;
var PTSFrag;
mapFragmentIntersection(oldDetails, newDetails, function (oldFrag, newFrag) {
if (oldFrag.relurl) {
// Do not compare CC if the old fragment has no url. This is a level.fragmentHint used by LL-HLS parts.
// It maybe be off by 1 if it was created before any parts or discontinuity tags were appended to the end
// of the playlist.
ccOffset = oldFrag.cc - newFrag.cc;
}
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(oldFrag.startPTS) && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(oldFrag.endPTS)) {
newFrag.start = newFrag.startPTS = oldFrag.startPTS;
newFrag.startDTS = oldFrag.startDTS;
newFrag.appendedPTS = oldFrag.appendedPTS;
newFrag.maxStartPTS = oldFrag.maxStartPTS;
newFrag.endPTS = oldFrag.endPTS;
newFrag.endDTS = oldFrag.endDTS;
newFrag.minEndPTS = oldFrag.minEndPTS;
newFrag.duration = oldFrag.endPTS - oldFrag.startPTS;
if (newFrag.duration) {
PTSFrag = newFrag;
} // PTS is known when any segment has startPTS and endPTS
newDetails.PTSKnown = newDetails.alignedSliding = true;
}
newFrag.elementaryStreams = oldFrag.elementaryStreams;
newFrag.loader = oldFrag.loader;
newFrag.stats = oldFrag.stats;
newFrag.urlId = oldFrag.urlId;
});
if (newDetails.skippedSegments) {
newDetails.deltaUpdateFailed = newDetails.fragments.some(function (frag) {
return !frag;
});
if (newDetails.deltaUpdateFailed) {
_utils_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].warn('[level-helper] Previous playlist missing segments skipped in delta playlist');
for (var i = newDetails.skippedSegments; i--;) {
newDetails.fragments.shift();
}
newDetails.startSN = newDetails.fragments[0].sn;
newDetails.startCC = newDetails.fragments[0].cc;
}
}
var newFragments = newDetails.fragments;
if (ccOffset) {
_utils_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].warn('discontinuity sliding from playlist, take drift into account');
for (var _i = 0; _i < newFragments.length; _i++) {
newFragments[_i].cc += ccOffset;
}
}
if (newDetails.skippedSegments) {
if (!newDetails.initSegment) {
newDetails.initSegment = oldDetails.initSegment;
}
newDetails.startCC = newDetails.fragments[0].cc;
} // Merge parts
mapPartIntersection(oldDetails.partList, newDetails.partList, function (oldPart, newPart) {
newPart.elementaryStreams = oldPart.elementaryStreams;
newPart.stats = oldPart.stats;
}); // if at least one fragment contains PTS info, recompute PTS information for all fragments
if (PTSFrag) {
updateFragPTSDTS(newDetails, PTSFrag, PTSFrag.startPTS, PTSFrag.endPTS, PTSFrag.startDTS, PTSFrag.endDTS);
} else {
// ensure that delta is within oldFragments range
// also adjust sliding in case delta is 0 (we could have old=[50-60] and new=old=[50-61])
// in that case we also need to adjust start offset of all fragments
adjustSliding(oldDetails, newDetails);
}
if (newFragments.length) {
newDetails.totalduration = newDetails.edge - newFragments[0].start;
}
}
function mapPartIntersection(oldParts, newParts, intersectionFn) {
if (oldParts && newParts) {
var delta = 0;
for (var i = 0, len = oldParts.length; i <= len; i++) {
var _oldPart = oldParts[i];
var _newPart = newParts[i + delta];
if (_oldPart && _newPart && _oldPart.index === _newPart.index && _oldPart.fragment.sn === _newPart.fragment.sn) {
intersectionFn(_oldPart, _newPart);
} else {
delta--;
}
}
}
}
function mapFragmentIntersection(oldDetails, newDetails, intersectionFn) {
var skippedSegments = newDetails.skippedSegments;
var start = Math.max(oldDetails.startSN, newDetails.startSN) - newDetails.startSN;
var end = (oldDetails.fragmentHint ? 1 : 0) + (skippedSegments ? newDetails.endSN : Math.min(oldDetails.endSN, newDetails.endSN)) - newDetails.startSN;
var delta = newDetails.startSN - oldDetails.startSN;
var newFrags = newDetails.fragmentHint ? newDetails.fragments.concat(newDetails.fragmentHint) : newDetails.fragments;
var oldFrags = oldDetails.fragmentHint ? oldDetails.fragments.concat(oldDetails.fragmentHint) : oldDetails.fragments;
for (var i = start; i <= end; i++) {
var _oldFrag = oldFrags[delta + i];
var _newFrag = newFrags[i];
if (skippedSegments && !_newFrag && i < skippedSegments) {
// Fill in skipped segments in delta playlist
_newFrag = newDetails.fragments[i] = _oldFrag;
}
if (_oldFrag && _newFrag) {
intersectionFn(_oldFrag, _newFrag);
}
}
}
function adjustSliding(oldDetails, newDetails) {
var delta = newDetails.startSN + newDetails.skippedSegments - oldDetails.startSN;
var oldFragments = oldDetails.fragments;
var newFragments = newDetails.fragments;
if (delta < 0 || delta >= oldFragments.length) {
return;
}
var playlistStartOffset = oldFragments[delta].start;
if (playlistStartOffset) {
for (var i = newDetails.skippedSegments; i < newFragments.length; i++) {
newFragments[i].start += playlistStartOffset;
}
if (newDetails.fragmentHint) {
newDetails.fragmentHint.start += playlistStartOffset;
}
}
}
function computeReloadInterval(newDetails, stats) {
var reloadInterval = 1000 * newDetails.levelTargetDuration;
var reloadIntervalAfterMiss = reloadInterval / 2;
var timeSinceLastModified = newDetails.age;
var useLastModified = timeSinceLastModified > 0 && timeSinceLastModified < reloadInterval * 3;
var roundTrip = stats.loading.end - stats.loading.start;
var estimatedTimeUntilUpdate;
var availabilityDelay = newDetails.availabilityDelay; // let estimate = 'average';
if (newDetails.updated === false) {
if (useLastModified) {
// estimate = 'miss round trip';
// We should have had a hit so try again in the time it takes to get a response,
// but no less than 1/3 second.
var minRetry = 333 * newDetails.misses;
estimatedTimeUntilUpdate = Math.max(Math.min(reloadIntervalAfterMiss, roundTrip * 2), minRetry);
newDetails.availabilityDelay = (newDetails.availabilityDelay || 0) + estimatedTimeUntilUpdate;
} else {
// estimate = 'miss half average';
// follow HLS Spec, If the client reloads a Playlist file and finds that it has not
// changed then it MUST wait for a period of one-half the target
// duration before retrying.
estimatedTimeUntilUpdate = reloadIntervalAfterMiss;
}
} else if (useLastModified) {
// estimate = 'next modified date';
// Get the closest we've been to timeSinceLastModified on update
availabilityDelay = Math.min(availabilityDelay || reloadInterval / 2, timeSinceLastModified);
newDetails.availabilityDelay = availabilityDelay;
estimatedTimeUntilUpdate = availabilityDelay + reloadInterval - timeSinceLastModified;
} else {
estimatedTimeUntilUpdate = reloadInterval - roundTrip;
} // console.log(`[computeReloadInterval] live reload ${newDetails.updated ? 'REFRESHED' : 'MISSED'}`,
// '\n method', estimate,
// '\n estimated time until update =>', estimatedTimeUntilUpdate,
// '\n average target duration', reloadInterval,
// '\n time since modified', timeSinceLastModified,
// '\n time round trip', roundTrip,
// '\n availability delay', availabilityDelay);
return Math.round(estimatedTimeUntilUpdate);
}
function getFragmentWithSN(level, sn) {
if (!level || !level.details) {
return null;
}
var levelDetails = level.details;
var fragment = levelDetails.fragments[sn - levelDetails.startSN];
if (fragment) {
return fragment;
}
fragment = levelDetails.fragmentHint;
if (fragment && fragment.sn === sn) {
return fragment;
}
return null;
}
function getPartWith(level, sn, partIndex) {
if (!level || !level.details) {
return null;
}
var partList = level.details.partList;
if (partList) {
for (var i = partList.length; i--;) {
var part = partList[i];
if (part.index === partIndex && part.fragment.sn === sn) {
return part;
}
}
}
return null;
}
/***/ }),
/***/ "./src/controller/stream-controller.ts":
/*!*********************************************!*\
!*** ./src/controller/stream-controller.ts ***!
\*********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return StreamController; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./base-stream-controller */ "./src/controller/base-stream-controller.ts");
/* harmony import */ var _is_supported__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../is-supported */ "./src/is-supported.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/buffer-helper */ "./src/utils/buffer-helper.ts");
/* harmony import */ var _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./fragment-tracker */ "./src/controller/fragment-tracker.ts");
/* harmony import */ var _types_loader__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../types/loader */ "./src/types/loader.ts");
/* harmony import */ var _loader_fragment__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../loader/fragment */ "./src/loader/fragment.ts");
/* harmony import */ var _demux_transmuxer_interface__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../demux/transmuxer-interface */ "./src/demux/transmuxer-interface.ts");
/* harmony import */ var _types_transmuxer__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../types/transmuxer */ "./src/types/transmuxer.ts");
/* harmony import */ var _gap_controller__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./gap-controller */ "./src/controller/gap-controller.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
var TICK_INTERVAL = 100; // how often to tick in ms
var StreamController = /*#__PURE__*/function (_BaseStreamController) {
_inheritsLoose(StreamController, _BaseStreamController);
function StreamController(hls, fragmentTracker) {
var _this;
_this = _BaseStreamController.call(this, hls, fragmentTracker, '[stream-controller]') || this;
_this.audioCodecSwap = false;
_this.gapController = null;
_this.level = -1;
_this._forceStartLoad = false;
_this.altAudio = false;
_this.audioOnly = false;
_this.fragPlaying = null;
_this.onvplaying = null;
_this.onvseeked = null;
_this.fragLastKbps = 0;
_this.stalled = false;
_this.audioCodecSwitch = false;
_this.videoBuffer = null;
_this._registerListeners();
return _this;
}
var _proto = StreamController.prototype;
_proto._registerListeners = function _registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MEDIA_ATTACHED, this.onMediaAttached, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MANIFEST_LOADING, this.onManifestLoading, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MANIFEST_PARSED, this.onManifestParsed, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVEL_LOADING, this.onLevelLoading, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVEL_LOADED, this.onLevelLoaded, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_LOAD_EMERGENCY_ABORTED, this.onFragLoadEmergencyAborted, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].ERROR, this.onError, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].AUDIO_TRACK_SWITCHING, this.onAudioTrackSwitching, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].AUDIO_TRACK_SWITCHED, this.onAudioTrackSwitched, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_CREATED, this.onBufferCreated, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_FLUSHED, this.onBufferFlushed, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVELS_UPDATED, this.onLevelsUpdated, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_BUFFERED, this.onFragBuffered, this);
};
_proto._unregisterListeners = function _unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MEDIA_ATTACHED, this.onMediaAttached, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MEDIA_DETACHING, this.onMediaDetaching, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MANIFEST_LOADING, this.onManifestLoading, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].MANIFEST_PARSED, this.onManifestParsed, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVEL_LOADED, this.onLevelLoaded, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_LOAD_EMERGENCY_ABORTED, this.onFragLoadEmergencyAborted, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].ERROR, this.onError, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].AUDIO_TRACK_SWITCHING, this.onAudioTrackSwitching, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].AUDIO_TRACK_SWITCHED, this.onAudioTrackSwitched, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_CREATED, this.onBufferCreated, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_FLUSHED, this.onBufferFlushed, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVELS_UPDATED, this.onLevelsUpdated, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_BUFFERED, this.onFragBuffered, this);
};
_proto.onHandlerDestroying = function onHandlerDestroying() {
this._unregisterListeners();
this.onMediaDetaching();
};
_proto.startLoad = function startLoad(startPosition) {
if (this.levels) {
var lastCurrentTime = this.lastCurrentTime,
hls = this.hls;
this.stopLoad();
this.setInterval(TICK_INTERVAL);
this.level = -1;
this.fragLoadError = 0;
if (!this.startFragRequested) {
// determine load level
var startLevel = hls.startLevel;
if (startLevel === -1) {
if (hls.config.testBandwidth) {
// -1 : guess start Level by doing a bitrate test by loading first fragment of lowest quality level
startLevel = 0;
this.bitrateTest = true;
} else {
startLevel = hls.nextAutoLevel;
}
} // set new level to playlist loader : this will trigger start level load
// hls.nextLoadLevel remains until it is set to a new value or until a new frag is successfully loaded
this.level = hls.nextLoadLevel = startLevel;
this.loadedmetadata = false;
} // if startPosition undefined but lastCurrentTime set, set startPosition to last currentTime
if (lastCurrentTime > 0 && startPosition === -1) {
this.log("Override startPosition with lastCurrentTime @" + lastCurrentTime.toFixed(3));
startPosition = lastCurrentTime;
}
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
this.nextLoadPosition = this.startPosition = this.lastCurrentTime = startPosition;
this.tick();
} else {
this._forceStartLoad = true;
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].STOPPED;
}
};
_proto.stopLoad = function stopLoad() {
this._forceStartLoad = false;
_BaseStreamController.prototype.stopLoad.call(this);
};
_proto.doTick = function doTick() {
switch (this.state) {
case _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE:
this.doTickIdle();
break;
case _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].WAITING_LEVEL:
{
var _levels$level;
var levels = this.levels,
level = this.level;
var details = levels === null || levels === void 0 ? void 0 : (_levels$level = levels[level]) === null || _levels$level === void 0 ? void 0 : _levels$level.details;
if (details && (!details.live || this.levelLastLoaded === this.level)) {
if (this.waitForCdnTuneIn(details)) {
break;
}
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
break;
}
break;
}
case _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].FRAG_LOADING_WAITING_RETRY:
{
var _this$media;
var now = self.performance.now();
var retryDate = this.retryDate; // if current time is gt than retryDate, or if media seeking let's switch to IDLE state to retry loading
if (!retryDate || now >= retryDate || (_this$media = this.media) !== null && _this$media !== void 0 && _this$media.seeking) {
this.log('retryDate reached, switch back to IDLE state');
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
}
}
break;
default:
break;
} // check buffer
// check/update current fragment
this.onTickEnd();
};
_proto.onTickEnd = function onTickEnd() {
_BaseStreamController.prototype.onTickEnd.call(this);
this.checkBuffer();
this.checkFragmentChanged();
};
_proto.doTickIdle = function doTickIdle() {
var _frag$decryptdata, _frag$decryptdata2;
var hls = this.hls,
levelLastLoaded = this.levelLastLoaded,
levels = this.levels,
media = this.media;
var config = hls.config,
level = hls.nextLoadLevel; // if start level not parsed yet OR
// if video not attached AND start fragment already requested OR start frag prefetch not enabled
// exit loop, as we either need more info (level not parsed) or we need media to be attached to load new fragment
if (levelLastLoaded === null || !media && (this.startFragRequested || !config.startFragPrefetch)) {
return;
} // If the "main" level is audio-only but we are loading an alternate track in the same group, do not load anything
if (this.altAudio && this.audioOnly) {
return;
}
if (!levels || !levels[level]) {
return;
}
var levelInfo = levels[level]; // if buffer length is less than maxBufLen try to load a new fragment
// set next load level : this will trigger a playlist load if needed
this.level = hls.nextLoadLevel = level;
var levelDetails = levelInfo.details; // if level info not retrieved yet, switch state and wait for level retrieval
// if live playlist, ensure that new playlist has been refreshed to avoid loading/try to load
// a useless and outdated fragment (that might even introduce load error if it is already out of the live playlist)
if (!levelDetails || this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].WAITING_LEVEL || levelDetails.live && this.levelLastLoaded !== level) {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].WAITING_LEVEL;
return;
}
var pos = this.getLoadPosition();
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(pos)) {
return;
}
var frag = levelDetails.initSegment;
var targetBufferTime = 0;
if (!frag || frag.data || this.bitrateTest) {
// compute max Buffer Length that we could get from this load level, based on level bitrate. don't buffer more than 60 MB and more than 30s
var levelBitrate = levelInfo.maxBitrate;
var maxBufLen;
if (levelBitrate) {
maxBufLen = Math.max(8 * config.maxBufferSize / levelBitrate, config.maxBufferLength);
} else {
maxBufLen = config.maxBufferLength;
}
maxBufLen = Math.min(maxBufLen, config.maxMaxBufferLength); // determine next candidate fragment to be loaded, based on current position and end of buffer position
// ensure up to `config.maxMaxBufferLength` of buffer upfront
var maxBufferHole = pos < config.maxBufferHole ? Math.max(_gap_controller__WEBPACK_IMPORTED_MODULE_10__["MAX_START_GAP_JUMP"], config.maxBufferHole) : config.maxBufferHole;
var bufferInfo = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].bufferInfo(this.mediaBuffer ? this.mediaBuffer : media, pos, maxBufferHole);
var bufferLen = bufferInfo.len; // Stay idle if we are still with buffer margins
if (bufferLen >= maxBufLen) {
return;
}
if (this._streamEnded(bufferInfo, levelDetails)) {
var data = {};
if (this.altAudio) {
data.type = 'video';
}
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_EOS, data);
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].ENDED;
return;
}
targetBufferTime = bufferInfo.end;
frag = this.getNextFragment(targetBufferTime, levelDetails); // Avoid loop loading by using nextLoadPosition set for backtracking
if (frag && this.fragmentTracker.getState(frag) === _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__["FragmentState"].OK && this.nextLoadPosition > targetBufferTime) {
frag = this.getNextFragment(this.nextLoadPosition, levelDetails);
}
if (!frag) {
return;
}
} // We want to load the key if we're dealing with an identity key, because we will decrypt
// this content using the key we fetch. Other keys will be handled by the DRM CDM via EME.
if (((_frag$decryptdata = frag.decryptdata) === null || _frag$decryptdata === void 0 ? void 0 : _frag$decryptdata.keyFormat) === 'identity' && !((_frag$decryptdata2 = frag.decryptdata) !== null && _frag$decryptdata2 !== void 0 && _frag$decryptdata2.key)) {
this.log("Loading key for " + frag.sn + " of [" + levelDetails.startSN + "-" + levelDetails.endSN + "], level " + level);
this.loadKey(frag);
} else {
this.loadFragment(frag, levelDetails, targetBufferTime);
}
};
_proto.loadKey = function loadKey(frag) {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].KEY_LOADING;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].KEY_LOADING, {
frag: frag
});
};
_proto.loadFragment = function loadFragment(frag, levelDetails, targetBufferTime) {
var _this$media2;
// Check if fragment is not loaded
var fragState = this.fragmentTracker.getState(frag);
this.fragCurrent = frag; // Use data from loaded backtracked fragment if available
if (fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__["FragmentState"].BACKTRACKED) {
var data = this.fragmentTracker.getBacktrackData(frag);
if (data) {
this._handleFragmentLoadProgress(data);
this._handleFragmentLoadComplete(data);
return;
} else {
fragState = _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__["FragmentState"].NOT_LOADED;
}
}
if (fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__["FragmentState"].NOT_LOADED || fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__["FragmentState"].PARTIAL) {
if (frag.sn === 'initSegment') {
this._loadInitSegment(frag);
} else if (this.bitrateTest) {
frag.bitrateTest = true;
this.log("Fragment " + frag.sn + " of level " + frag.level + " is being downloaded to test bitrate and will not be buffered");
this._loadBitrateTestFrag(frag);
} else {
this.startFragRequested = true;
_BaseStreamController.prototype.loadFragment.call(this, frag, levelDetails, targetBufferTime);
}
} else if (fragState === _fragment_tracker__WEBPACK_IMPORTED_MODULE_5__["FragmentState"].APPENDING) {
// Lower the buffer size and try again
if (this.reduceMaxBufferLength(frag.duration)) {
this.fragmentTracker.removeFragment(frag);
}
} else if (((_this$media2 = this.media) === null || _this$media2 === void 0 ? void 0 : _this$media2.buffered.length) === 0) {
// Stop gap for bad tracker / buffer flush behavior
this.fragmentTracker.removeAllFragments();
}
};
_proto.getAppendedFrag = function getAppendedFrag(position) {
var fragOrPart = this.fragmentTracker.getAppendedFrag(position, _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN);
if (fragOrPart && 'fragment' in fragOrPart) {
return fragOrPart.fragment;
}
return fragOrPart;
};
_proto.getBufferedFrag = function getBufferedFrag(position) {
return this.fragmentTracker.getBufferedFrag(position, _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN);
};
_proto.followingBufferedFrag = function followingBufferedFrag(frag) {
if (frag) {
// try to get range of next fragment (500ms after this range)
return this.getBufferedFrag(frag.end + 0.5);
}
return null;
}
/*
on immediate level switch :
- pause playback if playing
- cancel any pending load request
- and trigger a buffer flush
*/
;
_proto.immediateLevelSwitch = function immediateLevelSwitch() {
this.abortCurrentFrag();
this.flushMainBuffer(0, Number.POSITIVE_INFINITY);
}
/**
* try to switch ASAP without breaking video playback:
* in order to ensure smooth but quick level switching,
* we need to find the next flushable buffer range
* we should take into account new segment fetch time
*/
;
_proto.nextLevelSwitch = function nextLevelSwitch() {
var levels = this.levels,
media = this.media; // ensure that media is defined and that metadata are available (to retrieve currentTime)
if (media !== null && media !== void 0 && media.readyState) {
var fetchdelay;
var fragPlayingCurrent = this.getAppendedFrag(media.currentTime);
if (fragPlayingCurrent && fragPlayingCurrent.start > 1) {
// flush buffer preceding current fragment (flush until current fragment start offset)
// minus 1s to avoid video freezing, that could happen if we flush keyframe of current video ...
this.flushMainBuffer(0, fragPlayingCurrent.start - 1);
}
if (!media.paused && levels) {
// add a safety delay of 1s
var nextLevelId = this.hls.nextLoadLevel;
var nextLevel = levels[nextLevelId];
var fragLastKbps = this.fragLastKbps;
if (fragLastKbps && this.fragCurrent) {
fetchdelay = this.fragCurrent.duration * nextLevel.maxBitrate / (1000 * fragLastKbps) + 1;
} else {
fetchdelay = 0;
}
} else {
fetchdelay = 0;
} // this.log('fetchdelay:'+fetchdelay);
// find buffer range that will be reached once new fragment will be fetched
var bufferedFrag = this.getBufferedFrag(media.currentTime + fetchdelay);
if (bufferedFrag) {
// we can flush buffer range following this one without stalling playback
var nextBufferedFrag = this.followingBufferedFrag(bufferedFrag);
if (nextBufferedFrag) {
// if we are here, we can also cancel any loading/demuxing in progress, as they are useless
this.abortCurrentFrag(); // start flush position is in next buffered frag. Leave some padding for non-independent segments and smoother playback.
var maxStart = nextBufferedFrag.maxStartPTS ? nextBufferedFrag.maxStartPTS : nextBufferedFrag.start;
var fragDuration = nextBufferedFrag.duration;
var startPts = Math.max(bufferedFrag.end, maxStart + Math.min(Math.max(fragDuration - this.config.maxFragLookUpTolerance, fragDuration * 0.5), fragDuration * 0.75));
this.flushMainBuffer(startPts, Number.POSITIVE_INFINITY);
}
}
}
};
_proto.abortCurrentFrag = function abortCurrentFrag() {
var fragCurrent = this.fragCurrent;
if (fragCurrent !== null && fragCurrent !== void 0 && fragCurrent.loader) {
fragCurrent.loader.abort();
}
this.nextLoadPosition = this.getLoadPosition();
this.fragCurrent = null;
};
_proto.flushMainBuffer = function flushMainBuffer(startOffset, endOffset) {
_BaseStreamController.prototype.flushMainBuffer.call(this, startOffset, endOffset, this.altAudio ? 'video' : null);
};
_proto.onMediaAttached = function onMediaAttached(event, data) {
_BaseStreamController.prototype.onMediaAttached.call(this, event, data);
var media = data.media;
this.onvplaying = this.onMediaPlaying.bind(this);
this.onvseeked = this.onMediaSeeked.bind(this);
media.addEventListener('playing', this.onvplaying);
media.addEventListener('seeked', this.onvseeked);
this.gapController = new _gap_controller__WEBPACK_IMPORTED_MODULE_10__["default"](this.config, media, this.fragmentTracker, this.hls);
};
_proto.onMediaDetaching = function onMediaDetaching() {
var media = this.media;
if (media) {
media.removeEventListener('playing', this.onvplaying);
media.removeEventListener('seeked', this.onvseeked);
this.onvplaying = this.onvseeked = null;
this.videoBuffer = null;
}
this.fragPlaying = null;
if (this.gapController) {
this.gapController.destroy();
this.gapController = null;
}
_BaseStreamController.prototype.onMediaDetaching.call(this);
};
_proto.onMediaPlaying = function onMediaPlaying() {
// tick to speed up FRAG_CHANGED triggering
this.tick();
};
_proto.onMediaSeeked = function onMediaSeeked() {
var media = this.media;
var currentTime = media ? media.currentTime : null;
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(currentTime)) {
this.log("Media seeked to " + currentTime.toFixed(3));
} // tick to speed up FRAG_CHANGED triggering
this.tick();
};
_proto.onManifestLoading = function onManifestLoading() {
// reset buffer on manifest loading
this.log('Trigger BUFFER_RESET');
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_RESET, undefined);
this.fragmentTracker.removeAllFragments();
this.stalled = false;
this.startPosition = this.lastCurrentTime = 0;
this.fragPlaying = null;
};
_proto.onManifestParsed = function onManifestParsed(event, data) {
var aac = false;
var heaac = false;
var codec;
data.levels.forEach(function (level) {
// detect if we have different kind of audio codecs used amongst playlists
codec = level.audioCodec;
if (codec) {
if (codec.indexOf('mp4a.40.2') !== -1) {
aac = true;
}
if (codec.indexOf('mp4a.40.5') !== -1) {
heaac = true;
}
}
});
this.audioCodecSwitch = aac && heaac && !Object(_is_supported__WEBPACK_IMPORTED_MODULE_2__["changeTypeSupported"])();
if (this.audioCodecSwitch) {
this.log('Both AAC/HE-AAC audio found in levels; declaring level codec as HE-AAC');
}
this.levels = data.levels;
this.startFragRequested = false;
};
_proto.onLevelLoading = function onLevelLoading(event, data) {
var levels = this.levels;
if (!levels || this.state !== _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE) {
return;
}
var level = levels[data.level];
if (!level.details || level.details.live && this.levelLastLoaded !== data.level || this.waitForCdnTuneIn(level.details)) {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].WAITING_LEVEL;
}
};
_proto.onLevelLoaded = function onLevelLoaded(event, data) {
var _curLevel$details;
var levels = this.levels;
var newLevelId = data.level;
var newDetails = data.details;
var duration = newDetails.totalduration;
if (!levels) {
this.warn("Levels were reset while loading level " + newLevelId);
return;
}
this.log("Level " + newLevelId + " loaded [" + newDetails.startSN + "," + newDetails.endSN + "], cc [" + newDetails.startCC + ", " + newDetails.endCC + "] duration:" + duration);
var fragCurrent = this.fragCurrent;
if (fragCurrent && (this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].FRAG_LOADING || this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].FRAG_LOADING_WAITING_RETRY)) {
if (fragCurrent.level !== data.level && fragCurrent.loader) {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
fragCurrent.loader.abort();
}
}
var curLevel = levels[newLevelId];
var sliding = 0;
if (newDetails.live || (_curLevel$details = curLevel.details) !== null && _curLevel$details !== void 0 && _curLevel$details.live) {
if (!newDetails.fragments[0]) {
newDetails.deltaUpdateFailed = true;
}
if (newDetails.deltaUpdateFailed) {
return;
}
sliding = this.alignPlaylists(newDetails, curLevel.details);
} // override level info
curLevel.details = newDetails;
this.levelLastLoaded = newLevelId;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVEL_UPDATED, {
details: newDetails,
level: newLevelId
}); // only switch back to IDLE state if we were waiting for level to start downloading a new fragment
if (this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].WAITING_LEVEL) {
if (this.waitForCdnTuneIn(newDetails)) {
// Wait for Low-Latency CDN Tune-in
return;
}
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
}
if (!this.startFragRequested) {
this.setStartPosition(newDetails, sliding);
} else if (newDetails.live) {
this.synchronizeToLiveEdge(newDetails);
} // trigger handler right now
this.tick();
};
_proto._handleFragmentLoadProgress = function _handleFragmentLoadProgress(data) {
var _details$initSegment;
var frag = data.frag,
part = data.part,
payload = data.payload;
var levels = this.levels;
if (!levels) {
this.warn("Levels were reset while fragment load was in progress. Fragment " + frag.sn + " of level " + frag.level + " will not be buffered");
return;
}
var currentLevel = levels[frag.level];
var details = currentLevel.details;
if (!details) {
this.warn("Dropping fragment " + frag.sn + " of level " + frag.level + " after level details were reset");
return;
}
var videoCodec = currentLevel.videoCodec; // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live)
var accurateTimeOffset = details.PTSKnown || !details.live;
var initSegmentData = (_details$initSegment = details.initSegment) === null || _details$initSegment === void 0 ? void 0 : _details$initSegment.data;
var audioCodec = this._getAudioCodec(currentLevel); // transmux the MPEG-TS data to ISO-BMFF segments
// this.log(`Transmuxing ${frag.sn} of [${details.startSN} ,${details.endSN}],level ${frag.level}, cc ${frag.cc}`);
var transmuxer = this.transmuxer = this.transmuxer || new _demux_transmuxer_interface__WEBPACK_IMPORTED_MODULE_8__["default"](this.hls, _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN, this._handleTransmuxComplete.bind(this), this._handleTransmuxerFlush.bind(this));
var partIndex = part ? part.index : -1;
var partial = partIndex !== -1;
var chunkMeta = new _types_transmuxer__WEBPACK_IMPORTED_MODULE_9__["ChunkMetadata"](frag.level, frag.sn, frag.stats.chunkCount, payload.byteLength, partIndex, partial);
var initPTS = this.initPTS[frag.cc];
transmuxer.push(payload, initSegmentData, audioCodec, videoCodec, frag, part, details.totalduration, accurateTimeOffset, chunkMeta, initPTS);
};
_proto.resetTransmuxer = function resetTransmuxer() {
if (this.transmuxer) {
this.transmuxer.destroy();
this.transmuxer = null;
}
};
_proto.onAudioTrackSwitching = function onAudioTrackSwitching(event, data) {
// if any URL found on new audio track, it is an alternate audio track
var fromAltAudio = this.altAudio;
var altAudio = !!data.url;
var trackId = data.id; // if we switch on main audio, ensure that main fragment scheduling is synced with media.buffered
// don't do anything if we switch to alt audio: audio stream controller is handling it.
// we will just have to change buffer scheduling on audioTrackSwitched
if (!altAudio) {
if (this.mediaBuffer !== this.media) {
this.log('Switching on main audio, use media.buffered to schedule main fragment loading');
this.mediaBuffer = this.media;
var fragCurrent = this.fragCurrent; // we need to refill audio buffer from main: cancel any frag loading to speed up audio switch
if (fragCurrent !== null && fragCurrent !== void 0 && fragCurrent.loader) {
this.log('Switching to main audio track, cancel main fragment load');
fragCurrent.loader.abort();
}
this.fragCurrent = null;
this.fragPrevious = null; // destroy transmuxer to force init segment generation (following audio switch)
this.resetTransmuxer(); // switch to IDLE state to load new fragment
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
} else if (this.audioOnly) {
// Reset audio transmuxer so when switching back to main audio we're not still appending where we left off
this.resetTransmuxer();
}
var hls = this.hls; // If switching from alt to main audio, flush all audio and trigger track switched
if (fromAltAudio) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_FLUSHING, {
startOffset: 0,
endOffset: Number.POSITIVE_INFINITY,
type: 'audio'
});
}
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].AUDIO_TRACK_SWITCHED, {
id: trackId
});
}
};
_proto.onAudioTrackSwitched = function onAudioTrackSwitched(event, data) {
var trackId = data.id;
var altAudio = !!this.hls.audioTracks[trackId].url;
if (altAudio) {
var videoBuffer = this.videoBuffer; // if we switched on alternate audio, ensure that main fragment scheduling is synced with video sourcebuffer buffered
if (videoBuffer && this.mediaBuffer !== videoBuffer) {
this.log('Switching on alternate audio, use video.buffered to schedule main fragment loading');
this.mediaBuffer = videoBuffer;
}
}
this.altAudio = altAudio;
this.tick();
};
_proto.onBufferCreated = function onBufferCreated(event, data) {
var tracks = data.tracks;
var mediaTrack;
var name;
var alternate = false;
for (var type in tracks) {
var track = tracks[type];
if (track.id === 'main') {
name = type;
mediaTrack = track; // keep video source buffer reference
if (type === 'video') {
var videoTrack = tracks[type];
if (videoTrack) {
this.videoBuffer = videoTrack.buffer;
}
}
} else {
alternate = true;
}
}
if (alternate && mediaTrack) {
this.log("Alternate track found, use " + name + ".buffered to schedule main fragment loading");
this.mediaBuffer = mediaTrack.buffer;
} else {
this.mediaBuffer = this.media;
}
};
_proto.onFragBuffered = function onFragBuffered(event, data) {
var frag = data.frag,
part = data.part;
if (frag && frag.type !== _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN) {
return;
}
if (this.fragContextChanged(frag)) {
// If a level switch was requested while a fragment was buffering, it will emit the FRAG_BUFFERED event upon completion
// Avoid setting state back to IDLE, since that will interfere with a level switch
this.warn("Fragment " + frag.sn + (part ? ' p: ' + part.index : '') + " of level " + frag.level + " finished buffering, but was aborted. state: " + this.state);
if (this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].PARSED) {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
}
return;
}
var stats = part ? part.stats : frag.stats;
this.fragLastKbps = Math.round(8 * stats.total / (stats.buffering.end - stats.loading.first));
if (frag.sn !== 'initSegment') {
this.fragPrevious = frag;
}
this.fragBufferedComplete(frag, part);
};
_proto.onError = function onError(event, data) {
switch (data.details) {
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].FRAG_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].FRAG_LOAD_TIMEOUT:
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].KEY_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].KEY_LOAD_TIMEOUT:
this.onFragmentOrKeyLoadError(_types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN, data);
break;
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].LEVEL_LOAD_ERROR:
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].LEVEL_LOAD_TIMEOUT:
if (this.state !== _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].ERROR) {
if (data.fatal) {
// if fatal error, stop processing
this.warn("" + data.details);
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].ERROR;
} else {
// in case of non fatal error while loading level, if level controller is not retrying to load level , switch back to IDLE
if (!data.levelRetry && this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].WAITING_LEVEL) {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
}
}
}
break;
case _errors__WEBPACK_IMPORTED_MODULE_11__["ErrorDetails"].BUFFER_FULL_ERROR:
// if in appending state
if (data.parent === 'main' && (this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].PARSING || this.state === _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].PARSED)) {
// 0.5 : tolerance needed as some browsers stalls playback before reaching buffered end
var mediaBuffered = !!this.media && _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].isBuffered(this.media, this.media.currentTime) && _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].isBuffered(this.media, this.media.currentTime + 0.5); // reduce max buf len if current position is buffered
if (mediaBuffered) {
this.reduceMaxBufferLength();
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
} else {
// current position is not buffered, but browser is still complaining about buffer full error
// this happens on IE/Edge, refer to https://github.com/video-dev/hls.js/pull/708
// in that case flush the whole buffer to recover
this.warn('buffer full error also media.currentTime is not buffered, flush everything'); // flush everything
this.immediateLevelSwitch();
}
}
break;
default:
break;
}
} // Checks the health of the buffer and attempts to resolve playback stalls.
;
_proto.checkBuffer = function checkBuffer() {
var media = this.media,
gapController = this.gapController;
if (!media || !gapController || !media.readyState) {
// Exit early if we don't have media or if the media hasn't buffered anything yet (readyState 0)
return;
} // Check combined buffer
var buffered = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].getBuffered(media);
if (!this.loadedmetadata && buffered.length) {
this.loadedmetadata = true;
this._seekToStartPos();
} else {
// Resolve gaps using the main buffer, whose ranges are the intersections of the A/V sourcebuffers
gapController.poll(this.lastCurrentTime);
}
this.lastCurrentTime = media.currentTime;
};
_proto.onFragLoadEmergencyAborted = function onFragLoadEmergencyAborted() {
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE; // if loadedmetadata is not set, it means that we are emergency switch down on first frag
// in that case, reset startFragRequested flag
if (!this.loadedmetadata) {
this.startFragRequested = false;
this.nextLoadPosition = this.startPosition;
}
this.tick();
};
_proto.onBufferFlushed = function onBufferFlushed(event, _ref) {
var type = _ref.type;
if (type !== _loader_fragment__WEBPACK_IMPORTED_MODULE_7__["ElementaryStreamTypes"].AUDIO) {
var media = (type === _loader_fragment__WEBPACK_IMPORTED_MODULE_7__["ElementaryStreamTypes"].VIDEO ? this.videoBuffer : this.mediaBuffer) || this.media;
this.afterBufferFlushed(media, type);
}
};
_proto.onLevelsUpdated = function onLevelsUpdated(event, data) {
this.levels = data.levels;
};
_proto.swapAudioCodec = function swapAudioCodec() {
this.audioCodecSwap = !this.audioCodecSwap;
}
/**
* Seeks to the set startPosition if not equal to the mediaElement's current time.
* @private
*/
;
_proto._seekToStartPos = function _seekToStartPos() {
var media = this.media;
var currentTime = media.currentTime;
var startPosition = this.startPosition; // only adjust currentTime if different from startPosition or if startPosition not buffered
// at that stage, there should be only one buffered range, as we reach that code after first fragment has been buffered
if (startPosition >= 0 && currentTime < startPosition) {
if (media.seeking) {
_utils_logger__WEBPACK_IMPORTED_MODULE_12__["logger"].log("could not seek to " + startPosition + ", already seeking at " + currentTime);
return;
}
var buffered = _utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].getBuffered(media);
var bufferStart = buffered.length ? buffered.start(0) : 0;
var delta = bufferStart - startPosition;
if (delta > 0 && delta < this.config.maxBufferHole) {
_utils_logger__WEBPACK_IMPORTED_MODULE_12__["logger"].log("adjusting start position by " + delta + " to match buffer start");
startPosition += delta;
this.startPosition = startPosition;
}
this.log("seek to target start position " + startPosition + " from current time " + currentTime);
media.currentTime = startPosition;
}
};
_proto._getAudioCodec = function _getAudioCodec(currentLevel) {
var audioCodec = this.config.defaultAudioCodec || currentLevel.audioCodec;
if (this.audioCodecSwap && audioCodec) {
this.log('Swapping audio codec');
if (audioCodec.indexOf('mp4a.40.5') !== -1) {
audioCodec = 'mp4a.40.2';
} else {
audioCodec = 'mp4a.40.5';
}
}
return audioCodec;
};
_proto._loadBitrateTestFrag = function _loadBitrateTestFrag(frag) {
var _this2 = this;
this._doFragLoad(frag).then(function (data) {
var hls = _this2.hls;
if (!data || hls.nextLoadLevel || _this2.fragContextChanged(frag)) {
return;
}
_this2.fragLoadError = 0;
_this2.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].IDLE;
_this2.startFragRequested = false;
_this2.bitrateTest = false;
var stats = frag.stats; // Bitrate tests fragments are neither parsed nor buffered
stats.parsing.start = stats.parsing.end = stats.buffering.start = stats.buffering.end = self.performance.now();
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_LOADED, data);
});
};
_proto._handleTransmuxComplete = function _handleTransmuxComplete(transmuxResult) {
var _id3$samples;
var id = 'main';
var hls = this.hls;
var remuxResult = transmuxResult.remuxResult,
chunkMeta = transmuxResult.chunkMeta;
var context = this.getCurrentContext(chunkMeta);
if (!context) {
this.warn("The loading context changed while buffering fragment " + chunkMeta.sn + " of level " + chunkMeta.level + ". This chunk will not be buffered.");
this.resetLiveStartWhenNotLoaded(chunkMeta.level);
return;
}
var frag = context.frag,
part = context.part,
level = context.level;
var video = remuxResult.video,
text = remuxResult.text,
id3 = remuxResult.id3,
initSegment = remuxResult.initSegment; // The audio-stream-controller handles audio buffering if Hls.js is playing an alternate audio track
var audio = this.altAudio ? undefined : remuxResult.audio; // Check if the current fragment has been aborted. We check this by first seeing if we're still playing the current level.
// If we are, subsequently check if the currently loading fragment (fragCurrent) has changed.
if (this.fragContextChanged(frag)) {
return;
}
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].PARSING;
if (initSegment) {
if (initSegment.tracks) {
this._bufferInitSegment(level, initSegment.tracks, frag, chunkMeta);
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_PARSING_INIT_SEGMENT, {
frag: frag,
id: id,
tracks: initSegment.tracks
});
} // This would be nice if Number.isFinite acted as a typeguard, but it doesn't. See: https://github.com/Microsoft/TypeScript/issues/10038
var initPTS = initSegment.initPTS;
var timescale = initSegment.timescale;
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(initPTS)) {
this.initPTS[frag.cc] = initPTS;
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].INIT_PTS_FOUND, {
frag: frag,
id: id,
initPTS: initPTS,
timescale: timescale
});
}
} // Avoid buffering if backtracking this fragment
if (video && remuxResult.independent !== false) {
if (level.details) {
var startPTS = video.startPTS,
endPTS = video.endPTS,
startDTS = video.startDTS,
endDTS = video.endDTS;
if (part) {
part.elementaryStreams[video.type] = {
startPTS: startPTS,
endPTS: endPTS,
startDTS: startDTS,
endDTS: endDTS
};
} else if (video.dropped && video.independent) {
// Backtrack if dropped frames create a gap after currentTime
var pos = this.getLoadPosition() + this.config.maxBufferHole;
if (pos < startPTS) {
this.backtrack(frag);
return;
} // Set video stream start to fragment start so that truncated samples do not distort the timeline, and mark it partial
frag.setElementaryStreamInfo(video.type, frag.start, endPTS, frag.start, endDTS, true);
}
frag.setElementaryStreamInfo(video.type, startPTS, endPTS, startDTS, endDTS);
this.bufferFragmentData(video, frag, part, chunkMeta);
}
} else if (remuxResult.independent === false) {
this.backtrack(frag);
return;
}
if (audio) {
var _startPTS = audio.startPTS,
_endPTS = audio.endPTS,
_startDTS = audio.startDTS,
_endDTS = audio.endDTS;
if (part) {
part.elementaryStreams[_loader_fragment__WEBPACK_IMPORTED_MODULE_7__["ElementaryStreamTypes"].AUDIO] = {
startPTS: _startPTS,
endPTS: _endPTS,
startDTS: _startDTS,
endDTS: _endDTS
};
}
frag.setElementaryStreamInfo(_loader_fragment__WEBPACK_IMPORTED_MODULE_7__["ElementaryStreamTypes"].AUDIO, _startPTS, _endPTS, _startDTS, _endDTS);
this.bufferFragmentData(audio, frag, part, chunkMeta);
}
if (id3 !== null && id3 !== void 0 && (_id3$samples = id3.samples) !== null && _id3$samples !== void 0 && _id3$samples.length) {
var emittedID3 = {
frag: frag,
id: id,
samples: id3.samples
};
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_PARSING_METADATA, emittedID3);
}
if (text) {
var emittedText = {
frag: frag,
id: id,
samples: text.samples
};
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_PARSING_USERDATA, emittedText);
}
};
_proto._bufferInitSegment = function _bufferInitSegment(currentLevel, tracks, frag, chunkMeta) {
var _this3 = this;
if (this.state !== _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].PARSING) {
return;
}
this.audioOnly = !!tracks.audio && !tracks.video; // if audio track is expected to come from audio stream controller, discard any coming from main
if (this.altAudio && !this.audioOnly) {
delete tracks.audio;
} // include levelCodec in audio and video tracks
var audio = tracks.audio,
video = tracks.video,
audiovideo = tracks.audiovideo;
if (audio) {
var audioCodec = currentLevel.audioCodec;
var ua = navigator.userAgent.toLowerCase();
if (this.audioCodecSwitch) {
if (audioCodec) {
if (audioCodec.indexOf('mp4a.40.5') !== -1) {
audioCodec = 'mp4a.40.2';
} else {
audioCodec = 'mp4a.40.5';
}
} // In the case that AAC and HE-AAC audio codecs are signalled in manifest,
// force HE-AAC, as it seems that most browsers prefers it.
// don't force HE-AAC if mono stream, or in Firefox
if (audio.metadata.channelCount !== 1 && ua.indexOf('firefox') === -1) {
audioCodec = 'mp4a.40.5';
}
} // HE-AAC is broken on Android, always signal audio codec as AAC even if variant manifest states otherwise
if (ua.indexOf('android') !== -1 && audio.container !== 'audio/mpeg') {
// Exclude mpeg audio
audioCodec = 'mp4a.40.2';
this.log("Android: force audio codec to " + audioCodec);
}
if (currentLevel.audioCodec && currentLevel.audioCodec !== audioCodec) {
this.log("Swapping manifest audio codec \"" + currentLevel.audioCodec + "\" for \"" + audioCodec + "\"");
}
audio.levelCodec = audioCodec;
audio.id = 'main';
this.log("Init audio buffer, container:" + audio.container + ", codecs[selected/level/parsed]=[" + (audioCodec || '') + "/" + (currentLevel.audioCodec || '') + "/" + audio.codec + "]");
}
if (video) {
video.levelCodec = currentLevel.videoCodec;
video.id = 'main';
this.log("Init video buffer, container:" + video.container + ", codecs[level/parsed]=[" + (currentLevel.videoCodec || '') + "/" + video.codec + "]");
}
if (audiovideo) {
this.log("Init audiovideo buffer, container:" + audiovideo.container + ", codecs[level/parsed]=[" + (currentLevel.attrs.CODECS || '') + "/" + audiovideo.codec + "]");
}
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_CODECS, tracks); // loop through tracks that are going to be provided to bufferController
Object.keys(tracks).forEach(function (trackName) {
var track = tracks[trackName];
var initSegment = track.initSegment;
if (initSegment !== null && initSegment !== void 0 && initSegment.byteLength) {
_this3.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].BUFFER_APPENDING, {
type: trackName,
data: initSegment,
frag: frag,
part: null,
chunkMeta: chunkMeta,
parent: frag.type
});
}
}); // trigger handler right now
this.tick();
};
_proto.backtrack = function backtrack(frag) {
// Causes findFragments to backtrack through fragments to find the keyframe
this.resetTransmuxer();
this.flushBufferGap(frag);
var data = this.fragmentTracker.backtrack(frag);
this.fragPrevious = null;
this.nextLoadPosition = frag.start;
if (data) {
this.resetFragmentLoading(frag);
} else {
// Change state to BACKTRACKING so that fragmentEntity.backtrack data can be added after _doFragLoad
this.state = _base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["State"].BACKTRACKING;
}
};
_proto.checkFragmentChanged = function checkFragmentChanged() {
var video = this.media;
var fragPlayingCurrent = null;
if (video && video.readyState > 1 && video.seeking === false) {
var currentTime = video.currentTime;
/* if video element is in seeked state, currentTime can only increase.
(assuming that playback rate is positive ...)
As sometimes currentTime jumps back to zero after a
media decode error, check this, to avoid seeking back to
wrong position after a media decode error
*/
if (_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].isBuffered(video, currentTime)) {
fragPlayingCurrent = this.getAppendedFrag(currentTime);
} else if (_utils_buffer_helper__WEBPACK_IMPORTED_MODULE_4__["BufferHelper"].isBuffered(video, currentTime + 0.1)) {
/* ensure that FRAG_CHANGED event is triggered at startup,
when first video frame is displayed and playback is paused.
add a tolerance of 100ms, in case current position is not buffered,
check if current pos+100ms is buffered and use that buffer range
for FRAG_CHANGED event reporting */
fragPlayingCurrent = this.getAppendedFrag(currentTime + 0.1);
}
if (fragPlayingCurrent) {
var fragPlaying = this.fragPlaying;
var fragCurrentLevel = fragPlayingCurrent.level;
if (!fragPlaying || fragPlayingCurrent.sn !== fragPlaying.sn || fragPlaying.level !== fragCurrentLevel || fragPlayingCurrent.urlId !== fragPlaying.urlId) {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].FRAG_CHANGED, {
frag: fragPlayingCurrent
});
if (!fragPlaying || fragPlaying.level !== fragCurrentLevel) {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].LEVEL_SWITCHED, {
level: fragCurrentLevel
});
}
this.fragPlaying = fragPlayingCurrent;
}
}
}
};
_createClass(StreamController, [{
key: "nextLevel",
get: function get() {
var frag = this.nextBufferedFrag;
if (frag) {
return frag.level;
} else {
return -1;
}
}
}, {
key: "currentLevel",
get: function get() {
var media = this.media;
if (media) {
var fragPlayingCurrent = this.getAppendedFrag(media.currentTime);
if (fragPlayingCurrent) {
return fragPlayingCurrent.level;
}
}
return -1;
}
}, {
key: "nextBufferedFrag",
get: function get() {
var media = this.media;
if (media) {
// first get end range of current fragment
var fragPlayingCurrent = this.getAppendedFrag(media.currentTime);
return this.followingBufferedFrag(fragPlayingCurrent);
} else {
return null;
}
}
}, {
key: "forceStartLoad",
get: function get() {
return this._forceStartLoad;
}
}]);
return StreamController;
}(_base_stream_controller__WEBPACK_IMPORTED_MODULE_1__["default"]);
/***/ }),
/***/ "./src/crypt/aes-crypto.ts":
/*!*********************************!*\
!*** ./src/crypt/aes-crypto.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return AESCrypto; });
var AESCrypto = /*#__PURE__*/function () {
function AESCrypto(subtle, iv) {
this.subtle = void 0;
this.aesIV = void 0;
this.subtle = subtle;
this.aesIV = iv;
}
var _proto = AESCrypto.prototype;
_proto.decrypt = function decrypt(data, key) {
return this.subtle.decrypt({
name: 'AES-CBC',
iv: this.aesIV
}, key, data);
};
return AESCrypto;
}();
/***/ }),
/***/ "./src/crypt/aes-decryptor.ts":
/*!************************************!*\
!*** ./src/crypt/aes-decryptor.ts ***!
\************************************/
/*! exports provided: removePadding, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "removePadding", function() { return removePadding; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return AESDecryptor; });
/* harmony import */ var _utils_typed_array__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/typed-array */ "./src/utils/typed-array.ts");
// PKCS7
function removePadding(array) {
var outputBytes = array.byteLength;
var paddingBytes = outputBytes && new DataView(array.buffer).getUint8(outputBytes - 1);
if (paddingBytes) {
return Object(_utils_typed_array__WEBPACK_IMPORTED_MODULE_0__["sliceUint8"])(array, 0, outputBytes - paddingBytes);
}
return array;
}
var AESDecryptor = /*#__PURE__*/function () {
function AESDecryptor() {
this.rcon = [0x0, 0x1, 0x2, 0x4, 0x8, 0x10, 0x20, 0x40, 0x80, 0x1b, 0x36];
this.subMix = [new Uint32Array(256), new Uint32Array(256), new Uint32Array(256), new Uint32Array(256)];
this.invSubMix = [new Uint32Array(256), new Uint32Array(256), new Uint32Array(256), new Uint32Array(256)];
this.sBox = new Uint32Array(256);
this.invSBox = new Uint32Array(256);
this.key = new Uint32Array(0);
this.ksRows = 0;
this.keySize = 0;
this.keySchedule = void 0;
this.invKeySchedule = void 0;
this.initTable();
} // Using view.getUint32() also swaps the byte order.
var _proto = AESDecryptor.prototype;
_proto.uint8ArrayToUint32Array_ = function uint8ArrayToUint32Array_(arrayBuffer) {
var view = new DataView(arrayBuffer);
var newArray = new Uint32Array(4);
for (var i = 0; i < 4; i++) {
newArray[i] = view.getUint32(i * 4);
}
return newArray;
};
_proto.initTable = function initTable() {
var sBox = this.sBox;
var invSBox = this.invSBox;
var subMix = this.subMix;
var subMix0 = subMix[0];
var subMix1 = subMix[1];
var subMix2 = subMix[2];
var subMix3 = subMix[3];
var invSubMix = this.invSubMix;
var invSubMix0 = invSubMix[0];
var invSubMix1 = invSubMix[1];
var invSubMix2 = invSubMix[2];
var invSubMix3 = invSubMix[3];
var d = new Uint32Array(256);
var x = 0;
var xi = 0;
var i = 0;
for (i = 0; i < 256; i++) {
if (i < 128) {
d[i] = i << 1;
} else {
d[i] = i << 1 ^ 0x11b;
}
}
for (i = 0; i < 256; i++) {
var sx = xi ^ xi << 1 ^ xi << 2 ^ xi << 3 ^ xi << 4;
sx = sx >>> 8 ^ sx & 0xff ^ 0x63;
sBox[x] = sx;
invSBox[sx] = x; // Compute multiplication
var x2 = d[x];
var x4 = d[x2];
var x8 = d[x4]; // Compute sub/invSub bytes, mix columns tables
var t = d[sx] * 0x101 ^ sx * 0x1010100;
subMix0[x] = t << 24 | t >>> 8;
subMix1[x] = t << 16 | t >>> 16;
subMix2[x] = t << 8 | t >>> 24;
subMix3[x] = t; // Compute inv sub bytes, inv mix columns tables
t = x8 * 0x1010101 ^ x4 * 0x10001 ^ x2 * 0x101 ^ x * 0x1010100;
invSubMix0[sx] = t << 24 | t >>> 8;
invSubMix1[sx] = t << 16 | t >>> 16;
invSubMix2[sx] = t << 8 | t >>> 24;
invSubMix3[sx] = t; // Compute next counter
if (!x) {
x = xi = 1;
} else {
x = x2 ^ d[d[d[x8 ^ x2]]];
xi ^= d[d[xi]];
}
}
};
_proto.expandKey = function expandKey(keyBuffer) {
// convert keyBuffer to Uint32Array
var key = this.uint8ArrayToUint32Array_(keyBuffer);
var sameKey = true;
var offset = 0;
while (offset < key.length && sameKey) {
sameKey = key[offset] === this.key[offset];
offset++;
}
if (sameKey) {
return;
}
this.key = key;
var keySize = this.keySize = key.length;
if (keySize !== 4 && keySize !== 6 && keySize !== 8) {
throw new Error('Invalid aes key size=' + keySize);
}
var ksRows = this.ksRows = (keySize + 6 + 1) * 4;
var ksRow;
var invKsRow;
var keySchedule = this.keySchedule = new Uint32Array(ksRows);
var invKeySchedule = this.invKeySchedule = new Uint32Array(ksRows);
var sbox = this.sBox;
var rcon = this.rcon;
var invSubMix = this.invSubMix;
var invSubMix0 = invSubMix[0];
var invSubMix1 = invSubMix[1];
var invSubMix2 = invSubMix[2];
var invSubMix3 = invSubMix[3];
var prev;
var t;
for (ksRow = 0; ksRow < ksRows; ksRow++) {
if (ksRow < keySize) {
prev = keySchedule[ksRow] = key[ksRow];
continue;
}
t = prev;
if (ksRow % keySize === 0) {
// Rot word
t = t << 8 | t >>> 24; // Sub word
t = sbox[t >>> 24] << 24 | sbox[t >>> 16 & 0xff] << 16 | sbox[t >>> 8 & 0xff] << 8 | sbox[t & 0xff]; // Mix Rcon
t ^= rcon[ksRow / keySize | 0] << 24;
} else if (keySize > 6 && ksRow % keySize === 4) {
// Sub word
t = sbox[t >>> 24] << 24 | sbox[t >>> 16 & 0xff] << 16 | sbox[t >>> 8 & 0xff] << 8 | sbox[t & 0xff];
}
keySchedule[ksRow] = prev = (keySchedule[ksRow - keySize] ^ t) >>> 0;
}
for (invKsRow = 0; invKsRow < ksRows; invKsRow++) {
ksRow = ksRows - invKsRow;
if (invKsRow & 3) {
t = keySchedule[ksRow];
} else {
t = keySchedule[ksRow - 4];
}
if (invKsRow < 4 || ksRow <= 4) {
invKeySchedule[invKsRow] = t;
} else {
invKeySchedule[invKsRow] = invSubMix0[sbox[t >>> 24]] ^ invSubMix1[sbox[t >>> 16 & 0xff]] ^ invSubMix2[sbox[t >>> 8 & 0xff]] ^ invSubMix3[sbox[t & 0xff]];
}
invKeySchedule[invKsRow] = invKeySchedule[invKsRow] >>> 0;
}
} // Adding this as a method greatly improves performance.
;
_proto.networkToHostOrderSwap = function networkToHostOrderSwap(word) {
return word << 24 | (word & 0xff00) << 8 | (word & 0xff0000) >> 8 | word >>> 24;
};
_proto.decrypt = function decrypt(inputArrayBuffer, offset, aesIV) {
var nRounds = this.keySize + 6;
var invKeySchedule = this.invKeySchedule;
var invSBOX = this.invSBox;
var invSubMix = this.invSubMix;
var invSubMix0 = invSubMix[0];
var invSubMix1 = invSubMix[1];
var invSubMix2 = invSubMix[2];
var invSubMix3 = invSubMix[3];
var initVector = this.uint8ArrayToUint32Array_(aesIV);
var initVector0 = initVector[0];
var initVector1 = initVector[1];
var initVector2 = initVector[2];
var initVector3 = initVector[3];
var inputInt32 = new Int32Array(inputArrayBuffer);
var outputInt32 = new Int32Array(inputInt32.length);
var t0, t1, t2, t3;
var s0, s1, s2, s3;
var inputWords0, inputWords1, inputWords2, inputWords3;
var ksRow, i;
var swapWord = this.networkToHostOrderSwap;
while (offset < inputInt32.length) {
inputWords0 = swapWord(inputInt32[offset]);
inputWords1 = swapWord(inputInt32[offset + 1]);
inputWords2 = swapWord(inputInt32[offset + 2]);
inputWords3 = swapWord(inputInt32[offset + 3]);
s0 = inputWords0 ^ invKeySchedule[0];
s1 = inputWords3 ^ invKeySchedule[1];
s2 = inputWords2 ^ invKeySchedule[2];
s3 = inputWords1 ^ invKeySchedule[3];
ksRow = 4; // Iterate through the rounds of decryption
for (i = 1; i < nRounds; i++) {
t0 = invSubMix0[s0 >>> 24] ^ invSubMix1[s1 >> 16 & 0xff] ^ invSubMix2[s2 >> 8 & 0xff] ^ invSubMix3[s3 & 0xff] ^ invKeySchedule[ksRow];
t1 = invSubMix0[s1 >>> 24] ^ invSubMix1[s2 >> 16 & 0xff] ^ invSubMix2[s3 >> 8 & 0xff] ^ invSubMix3[s0 & 0xff] ^ invKeySchedule[ksRow + 1];
t2 = invSubMix0[s2 >>> 24] ^ invSubMix1[s3 >> 16 & 0xff] ^ invSubMix2[s0 >> 8 & 0xff] ^ invSubMix3[s1 & 0xff] ^ invKeySchedule[ksRow + 2];
t3 = invSubMix0[s3 >>> 24] ^ invSubMix1[s0 >> 16 & 0xff] ^ invSubMix2[s1 >> 8 & 0xff] ^ invSubMix3[s2 & 0xff] ^ invKeySchedule[ksRow + 3]; // Update state
s0 = t0;
s1 = t1;
s2 = t2;
s3 = t3;
ksRow = ksRow + 4;
} // Shift rows, sub bytes, add round key
t0 = invSBOX[s0 >>> 24] << 24 ^ invSBOX[s1 >> 16 & 0xff] << 16 ^ invSBOX[s2 >> 8 & 0xff] << 8 ^ invSBOX[s3 & 0xff] ^ invKeySchedule[ksRow];
t1 = invSBOX[s1 >>> 24] << 24 ^ invSBOX[s2 >> 16 & 0xff] << 16 ^ invSBOX[s3 >> 8 & 0xff] << 8 ^ invSBOX[s0 & 0xff] ^ invKeySchedule[ksRow + 1];
t2 = invSBOX[s2 >>> 24] << 24 ^ invSBOX[s3 >> 16 & 0xff] << 16 ^ invSBOX[s0 >> 8 & 0xff] << 8 ^ invSBOX[s1 & 0xff] ^ invKeySchedule[ksRow + 2];
t3 = invSBOX[s3 >>> 24] << 24 ^ invSBOX[s0 >> 16 & 0xff] << 16 ^ invSBOX[s1 >> 8 & 0xff] << 8 ^ invSBOX[s2 & 0xff] ^ invKeySchedule[ksRow + 3]; // Write
outputInt32[offset] = swapWord(t0 ^ initVector0);
outputInt32[offset + 1] = swapWord(t3 ^ initVector1);
outputInt32[offset + 2] = swapWord(t2 ^ initVector2);
outputInt32[offset + 3] = swapWord(t1 ^ initVector3); // reset initVector to last 4 unsigned int
initVector0 = inputWords0;
initVector1 = inputWords1;
initVector2 = inputWords2;
initVector3 = inputWords3;
offset = offset + 4;
}
return outputInt32.buffer;
};
return AESDecryptor;
}();
/***/ }),
/***/ "./src/crypt/decrypter.ts":
/*!********************************!*\
!*** ./src/crypt/decrypter.ts ***!
\********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return Decrypter; });
/* harmony import */ var _aes_crypto__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./aes-crypto */ "./src/crypt/aes-crypto.ts");
/* harmony import */ var _fast_aes_key__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./fast-aes-key */ "./src/crypt/fast-aes-key.ts");
/* harmony import */ var _aes_decryptor__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./aes-decryptor */ "./src/crypt/aes-decryptor.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _utils_typed_array__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/typed-array */ "./src/utils/typed-array.ts");
var CHUNK_SIZE = 16; // 16 bytes, 128 bits
var Decrypter = /*#__PURE__*/function () {
function Decrypter(observer, config, _temp) {
var _ref = _temp === void 0 ? {} : _temp,
_ref$removePKCS7Paddi = _ref.removePKCS7Padding,
removePKCS7Padding = _ref$removePKCS7Paddi === void 0 ? true : _ref$removePKCS7Paddi;
this.logEnabled = true;
this.observer = void 0;
this.config = void 0;
this.removePKCS7Padding = void 0;
this.subtle = null;
this.softwareDecrypter = null;
this.key = null;
this.fastAesKey = null;
this.remainderData = null;
this.currentIV = null;
this.currentResult = null;
this.observer = observer;
this.config = config;
this.removePKCS7Padding = removePKCS7Padding; // built in decryptor expects PKCS7 padding
if (removePKCS7Padding) {
try {
var browserCrypto = self.crypto;
if (browserCrypto) {
this.subtle = browserCrypto.subtle || browserCrypto.webkitSubtle;
}
} catch (e) {
/* no-op */
}
}
if (this.subtle === null) {
this.config.enableSoftwareAES = true;
}
}
var _proto = Decrypter.prototype;
_proto.destroy = function destroy() {
// @ts-ignore
this.observer = null;
};
_proto.isSync = function isSync() {
return this.config.enableSoftwareAES;
};
_proto.flush = function flush() {
var currentResult = this.currentResult;
if (!currentResult) {
this.reset();
return;
}
var data = new Uint8Array(currentResult);
this.reset();
if (this.removePKCS7Padding) {
return Object(_aes_decryptor__WEBPACK_IMPORTED_MODULE_2__["removePadding"])(data);
}
return data;
};
_proto.reset = function reset() {
this.currentResult = null;
this.currentIV = null;
this.remainderData = null;
if (this.softwareDecrypter) {
this.softwareDecrypter = null;
}
};
_proto.decrypt = function decrypt(data, key, iv, callback) {
if (this.config.enableSoftwareAES) {
this.softwareDecrypt(new Uint8Array(data), key, iv);
var decryptResult = this.flush();
if (decryptResult) {
callback(decryptResult.buffer);
}
} else {
this.webCryptoDecrypt(new Uint8Array(data), key, iv).then(callback);
}
};
_proto.softwareDecrypt = function softwareDecrypt(data, key, iv) {
var currentIV = this.currentIV,
currentResult = this.currentResult,
remainderData = this.remainderData;
this.logOnce('JS AES decrypt'); // The output is staggered during progressive parsing - the current result is cached, and emitted on the next call
// This is done in order to strip PKCS7 padding, which is found at the end of each segment. We only know we've reached
// the end on flush(), but by that time we have already received all bytes for the segment.
// Progressive decryption does not work with WebCrypto
if (remainderData) {
data = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_4__["appendUint8Array"])(remainderData, data);
this.remainderData = null;
} // Byte length must be a multiple of 16 (AES-128 = 128 bit blocks = 16 bytes)
var currentChunk = this.getValidChunk(data);
if (!currentChunk.length) {
return null;
}
if (currentIV) {
iv = currentIV;
}
var softwareDecrypter = this.softwareDecrypter;
if (!softwareDecrypter) {
softwareDecrypter = this.softwareDecrypter = new _aes_decryptor__WEBPACK_IMPORTED_MODULE_2__["default"]();
}
softwareDecrypter.expandKey(key);
var result = currentResult;
this.currentResult = softwareDecrypter.decrypt(currentChunk.buffer, 0, iv);
this.currentIV = Object(_utils_typed_array__WEBPACK_IMPORTED_MODULE_5__["sliceUint8"])(currentChunk, -16).buffer;
if (!result) {
return null;
}
return result;
};
_proto.webCryptoDecrypt = function webCryptoDecrypt(data, key, iv) {
var _this = this;
var subtle = this.subtle;
if (this.key !== key || !this.fastAesKey) {
this.key = key;
this.fastAesKey = new _fast_aes_key__WEBPACK_IMPORTED_MODULE_1__["default"](subtle, key);
}
return this.fastAesKey.expandKey().then(function (aesKey) {
// decrypt using web crypto
if (!subtle) {
return Promise.reject(new Error('web crypto not initialized'));
}
var crypto = new _aes_crypto__WEBPACK_IMPORTED_MODULE_0__["default"](subtle, iv);
return crypto.decrypt(data.buffer, aesKey);
}).catch(function (err) {
return _this.onWebCryptoError(err, data, key, iv);
});
};
_proto.onWebCryptoError = function onWebCryptoError(err, data, key, iv) {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn('[decrypter.ts]: WebCrypto Error, disable WebCrypto API:', err);
this.config.enableSoftwareAES = true;
this.logEnabled = true;
return this.softwareDecrypt(data, key, iv);
};
_proto.getValidChunk = function getValidChunk(data) {
var currentChunk = data;
var splitPoint = data.length - data.length % CHUNK_SIZE;
if (splitPoint !== data.length) {
currentChunk = Object(_utils_typed_array__WEBPACK_IMPORTED_MODULE_5__["sliceUint8"])(data, 0, splitPoint);
this.remainderData = Object(_utils_typed_array__WEBPACK_IMPORTED_MODULE_5__["sliceUint8"])(data, splitPoint);
}
return currentChunk;
};
_proto.logOnce = function logOnce(msg) {
if (!this.logEnabled) {
return;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].log("[decrypter.ts]: " + msg);
this.logEnabled = false;
};
return Decrypter;
}();
/***/ }),
/***/ "./src/crypt/fast-aes-key.ts":
/*!***********************************!*\
!*** ./src/crypt/fast-aes-key.ts ***!
\***********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return FastAESKey; });
var FastAESKey = /*#__PURE__*/function () {
function FastAESKey(subtle, key) {
this.subtle = void 0;
this.key = void 0;
this.subtle = subtle;
this.key = key;
}
var _proto = FastAESKey.prototype;
_proto.expandKey = function expandKey() {
return this.subtle.importKey('raw', this.key, {
name: 'AES-CBC'
}, false, ['encrypt', 'decrypt']);
};
return FastAESKey;
}();
/***/ }),
/***/ "./src/demux/aacdemuxer.ts":
/*!*********************************!*\
!*** ./src/demux/aacdemuxer.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _base_audio_demuxer__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./base-audio-demuxer */ "./src/demux/base-audio-demuxer.ts");
/* harmony import */ var _adts__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./adts */ "./src/demux/adts.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _demux_id3__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../demux/id3 */ "./src/demux/id3.ts");
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
/**
* AAC demuxer
*/
var AACDemuxer = /*#__PURE__*/function (_BaseAudioDemuxer) {
_inheritsLoose(AACDemuxer, _BaseAudioDemuxer);
function AACDemuxer(observer, config) {
var _this;
_this = _BaseAudioDemuxer.call(this) || this;
_this.observer = void 0;
_this.config = void 0;
_this.observer = observer;
_this.config = config;
return _this;
}
var _proto = AACDemuxer.prototype;
_proto.resetInitSegment = function resetInitSegment(audioCodec, videoCodec, duration) {
_BaseAudioDemuxer.prototype.resetInitSegment.call(this, audioCodec, videoCodec, duration);
this._audioTrack = {
container: 'audio/adts',
type: 'audio',
id: 0,
pid: -1,
sequenceNumber: 0,
isAAC: true,
samples: [],
manifestCodec: audioCodec,
duration: duration,
inputTimeScale: 90000,
dropped: 0
};
} // Source for probe info - https://wiki.multimedia.cx/index.php?title=ADTS
;
AACDemuxer.probe = function probe(data) {
if (!data) {
return false;
} // Check for the ADTS sync word
// Look for ADTS header | 1111 1111 | 1111 X00X | where X can be either 0 or 1
// Layer bits (position 14 and 15) in header should be always 0 for ADTS
// More info https://wiki.multimedia.cx/index.php?title=ADTS
var id3Data = _demux_id3__WEBPACK_IMPORTED_MODULE_3__["getID3Data"](data, 0) || [];
var offset = id3Data.length;
for (var length = data.length; offset < length; offset++) {
if (_adts__WEBPACK_IMPORTED_MODULE_1__["probe"](data, offset)) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('ADTS sync word found !');
return true;
}
}
return false;
};
_proto.canParse = function canParse(data, offset) {
return _adts__WEBPACK_IMPORTED_MODULE_1__["canParse"](data, offset);
};
_proto.appendFrame = function appendFrame(track, data, offset) {
_adts__WEBPACK_IMPORTED_MODULE_1__["initTrackConfig"](track, this.observer, data, offset, track.manifestCodec);
return _adts__WEBPACK_IMPORTED_MODULE_1__["appendFrame"](track, data, offset, this.initPTS, this.frameIndex);
};
return AACDemuxer;
}(_base_audio_demuxer__WEBPACK_IMPORTED_MODULE_0__["default"]);
AACDemuxer.minProbeByteLength = 9;
/* harmony default export */ __webpack_exports__["default"] = (AACDemuxer);
/***/ }),
/***/ "./src/demux/adts.ts":
/*!***************************!*\
!*** ./src/demux/adts.ts ***!
\***************************/
/*! exports provided: getAudioConfig, isHeaderPattern, getHeaderLength, getFullFrameLength, canGetFrameLength, isHeader, canParse, probe, initTrackConfig, getFrameDuration, parseFrameHeader, appendFrame */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getAudioConfig", function() { return getAudioConfig; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isHeaderPattern", function() { return isHeaderPattern; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getHeaderLength", function() { return getHeaderLength; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getFullFrameLength", function() { return getFullFrameLength; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "canGetFrameLength", function() { return canGetFrameLength; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isHeader", function() { return isHeader; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "canParse", function() { return canParse; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "probe", function() { return probe; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "initTrackConfig", function() { return initTrackConfig; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getFrameDuration", function() { return getFrameDuration; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "parseFrameHeader", function() { return parseFrameHeader; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "appendFrame", function() { return appendFrame; });
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/**
* ADTS parser helper
* @link https://wiki.multimedia.cx/index.php?title=ADTS
*/
function getAudioConfig(observer, data, offset, audioCodec) {
var adtsObjectType;
var adtsExtensionSampleingIndex;
var adtsChanelConfig;
var config;
var userAgent = navigator.userAgent.toLowerCase();
var manifestCodec = audioCodec;
var adtsSampleingRates = [96000, 88200, 64000, 48000, 44100, 32000, 24000, 22050, 16000, 12000, 11025, 8000, 7350]; // byte 2
adtsObjectType = ((data[offset + 2] & 0xc0) >>> 6) + 1;
var adtsSampleingIndex = (data[offset + 2] & 0x3c) >>> 2;
if (adtsSampleingIndex > adtsSampleingRates.length - 1) {
observer.trigger(_events__WEBPACK_IMPORTED_MODULE_2__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_PARSING_ERROR,
fatal: true,
reason: "invalid ADTS sampling index:" + adtsSampleingIndex
});
return;
}
adtsChanelConfig = (data[offset + 2] & 0x01) << 2; // byte 3
adtsChanelConfig |= (data[offset + 3] & 0xc0) >>> 6;
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].log("manifest codec:" + audioCodec + ",ADTS data:type:" + adtsObjectType + ",sampleingIndex:" + adtsSampleingIndex + "[" + adtsSampleingRates[adtsSampleingIndex] + "Hz],channelConfig:" + adtsChanelConfig); // firefox: freq less than 24kHz = AAC SBR (HE-AAC)
if (/firefox/i.test(userAgent)) {
if (adtsSampleingIndex >= 6) {
adtsObjectType = 5;
config = new Array(4); // HE-AAC uses SBR (Spectral Band Replication) , high frequencies are constructed from low frequencies
// there is a factor 2 between frame sample rate and output sample rate
// multiply frequency by 2 (see table below, equivalent to substract 3)
adtsExtensionSampleingIndex = adtsSampleingIndex - 3;
} else {
adtsObjectType = 2;
config = new Array(2);
adtsExtensionSampleingIndex = adtsSampleingIndex;
} // Android : always use AAC
} else if (userAgent.indexOf('android') !== -1) {
adtsObjectType = 2;
config = new Array(2);
adtsExtensionSampleingIndex = adtsSampleingIndex;
} else {
/* for other browsers (Chrome/Vivaldi/Opera ...)
always force audio type to be HE-AAC SBR, as some browsers do not support audio codec switch properly (like Chrome ...)
*/
adtsObjectType = 5;
config = new Array(4); // if (manifest codec is HE-AAC or HE-AACv2) OR (manifest codec not specified AND frequency less than 24kHz)
if (audioCodec && (audioCodec.indexOf('mp4a.40.29') !== -1 || audioCodec.indexOf('mp4a.40.5') !== -1) || !audioCodec && adtsSampleingIndex >= 6) {
// HE-AAC uses SBR (Spectral Band Replication) , high frequencies are constructed from low frequencies
// there is a factor 2 between frame sample rate and output sample rate
// multiply frequency by 2 (see table below, equivalent to substract 3)
adtsExtensionSampleingIndex = adtsSampleingIndex - 3;
} else {
// if (manifest codec is AAC) AND (frequency less than 24kHz AND nb channel is 1) OR (manifest codec not specified and mono audio)
// Chrome fails to play back with low frequency AAC LC mono when initialized with HE-AAC. This is not a problem with stereo.
if (audioCodec && audioCodec.indexOf('mp4a.40.2') !== -1 && (adtsSampleingIndex >= 6 && adtsChanelConfig === 1 || /vivaldi/i.test(userAgent)) || !audioCodec && adtsChanelConfig === 1) {
adtsObjectType = 2;
config = new Array(2);
}
adtsExtensionSampleingIndex = adtsSampleingIndex;
}
}
/* refer to http://wiki.multimedia.cx/index.php?title=MPEG-4_Audio#Audio_Specific_Config
ISO 14496-3 (AAC).pdf - Table 1.13 — Syntax of AudioSpecificConfig()
Audio Profile / Audio Object Type
0: Null
1: AAC Main
2: AAC LC (Low Complexity)
3: AAC SSR (Scalable Sample Rate)
4: AAC LTP (Long Term Prediction)
5: SBR (Spectral Band Replication)
6: AAC Scalable
sampling freq
0: 96000 Hz
1: 88200 Hz
2: 64000 Hz
3: 48000 Hz
4: 44100 Hz
5: 32000 Hz
6: 24000 Hz
7: 22050 Hz
8: 16000 Hz
9: 12000 Hz
10: 11025 Hz
11: 8000 Hz
12: 7350 Hz
13: Reserved
14: Reserved
15: frequency is written explictly
Channel Configurations
These are the channel configurations:
0: Defined in AOT Specifc Config
1: 1 channel: front-center
2: 2 channels: front-left, front-right
*/
// audioObjectType = profile => profile, the MPEG-4 Audio Object Type minus 1
config[0] = adtsObjectType << 3; // samplingFrequencyIndex
config[0] |= (adtsSampleingIndex & 0x0e) >> 1;
config[1] |= (adtsSampleingIndex & 0x01) << 7; // channelConfiguration
config[1] |= adtsChanelConfig << 3;
if (adtsObjectType === 5) {
// adtsExtensionSampleingIndex
config[1] |= (adtsExtensionSampleingIndex & 0x0e) >> 1;
config[2] = (adtsExtensionSampleingIndex & 0x01) << 7; // adtsObjectType (force to 2, chrome is checking that object type is less than 5 ???
// https://chromium.googlesource.com/chromium/src.git/+/master/media/formats/mp4/aac.cc
config[2] |= 2 << 2;
config[3] = 0;
}
return {
config: config,
samplerate: adtsSampleingRates[adtsSampleingIndex],
channelCount: adtsChanelConfig,
codec: 'mp4a.40.' + adtsObjectType,
manifestCodec: manifestCodec
};
}
function isHeaderPattern(data, offset) {
return data[offset] === 0xff && (data[offset + 1] & 0xf6) === 0xf0;
}
function getHeaderLength(data, offset) {
return data[offset + 1] & 0x01 ? 7 : 9;
}
function getFullFrameLength(data, offset) {
return (data[offset + 3] & 0x03) << 11 | data[offset + 4] << 3 | (data[offset + 5] & 0xe0) >>> 5;
}
function canGetFrameLength(data, offset) {
return offset + 5 < data.length;
}
function isHeader(data, offset) {
// Look for ADTS header | 1111 1111 | 1111 X00X | where X can be either 0 or 1
// Layer bits (position 14 and 15) in header should be always 0 for ADTS
// More info https://wiki.multimedia.cx/index.php?title=ADTS
return offset + 1 < data.length && isHeaderPattern(data, offset);
}
function canParse(data, offset) {
return canGetFrameLength(data, offset) && isHeaderPattern(data, offset) && getFullFrameLength(data, offset) < data.length - offset;
}
function probe(data, offset) {
// same as isHeader but we also check that ADTS frame follows last ADTS frame
// or end of data is reached
if (isHeader(data, offset)) {
// ADTS header Length
var headerLength = getHeaderLength(data, offset);
if (offset + headerLength >= data.length) {
return false;
} // ADTS frame Length
var frameLength = getFullFrameLength(data, offset);
if (frameLength <= headerLength) {
return false;
}
var newOffset = offset + frameLength;
return newOffset === data.length || isHeader(data, newOffset);
}
return false;
}
function initTrackConfig(track, observer, data, offset, audioCodec) {
if (!track.samplerate) {
var config = getAudioConfig(observer, data, offset, audioCodec);
if (!config) {
return;
}
track.config = config.config;
track.samplerate = config.samplerate;
track.channelCount = config.channelCount;
track.codec = config.codec;
track.manifestCodec = config.manifestCodec;
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].log("parsed codec:" + track.codec + ",rate:" + config.samplerate + ",nb channel:" + config.channelCount);
}
}
function getFrameDuration(samplerate) {
return 1024 * 90000 / samplerate;
}
function parseFrameHeader(data, offset, pts, frameIndex, frameDuration) {
var length = data.length; // The protection skip bit tells us if we have 2 bytes of CRC data at the end of the ADTS header
var headerLength = getHeaderLength(data, offset); // retrieve frame size
var frameLength = getFullFrameLength(data, offset);
frameLength -= headerLength;
if (frameLength > 0 && offset + headerLength + frameLength <= length) {
var stamp = pts + frameIndex * frameDuration; // logger.log(`AAC frame, offset/length/total/pts:${offset+headerLength}/${frameLength}/${data.byteLength}/${(stamp/90).toFixed(0)}`);
return {
headerLength: headerLength,
frameLength: frameLength,
stamp: stamp
};
}
}
function appendFrame(track, data, offset, pts, frameIndex) {
var frameDuration = getFrameDuration(track.samplerate);
var header = parseFrameHeader(data, offset, pts, frameIndex, frameDuration);
if (header) {
var stamp = header.stamp;
var headerLength = header.headerLength;
var frameLength = header.frameLength; // logger.log(`AAC frame, offset/length/total/pts:${offset+headerLength}/${frameLength}/${data.byteLength}/${(stamp/90).toFixed(0)}`);
var aacSample = {
unit: data.subarray(offset + headerLength, offset + headerLength + frameLength),
pts: stamp,
dts: stamp
};
track.samples.push(aacSample);
return {
sample: aacSample,
length: frameLength + headerLength
};
}
}
/***/ }),
/***/ "./src/demux/base-audio-demuxer.ts":
/*!*****************************************!*\
!*** ./src/demux/base-audio-demuxer.ts ***!
\*****************************************/
/*! exports provided: initPTSFn, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "initPTSFn", function() { return initPTSFn; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _demux_id3__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../demux/id3 */ "./src/demux/id3.ts");
/* harmony import */ var _dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./dummy-demuxed-track */ "./src/demux/dummy-demuxed-track.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _utils_typed_array__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/typed-array */ "./src/utils/typed-array.ts");
var BaseAudioDemuxer = /*#__PURE__*/function () {
function BaseAudioDemuxer() {
this._audioTrack = void 0;
this._id3Track = void 0;
this.frameIndex = 0;
this.cachedData = null;
this.initPTS = null;
}
var _proto = BaseAudioDemuxer.prototype;
_proto.resetInitSegment = function resetInitSegment(audioCodec, videoCodec, duration) {
this._id3Track = {
type: 'id3',
id: 0,
pid: -1,
inputTimeScale: 90000,
sequenceNumber: 0,
samples: [],
dropped: 0
};
};
_proto.resetTimeStamp = function resetTimeStamp() {};
_proto.resetContiguity = function resetContiguity() {};
_proto.canParse = function canParse(data, offset) {
return false;
};
_proto.appendFrame = function appendFrame(track, data, offset) {} // feed incoming data to the front of the parsing pipeline
;
_proto.demux = function demux(data, timeOffset) {
if (this.cachedData) {
data = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_3__["appendUint8Array"])(this.cachedData, data);
this.cachedData = null;
}
var id3Data = _demux_id3__WEBPACK_IMPORTED_MODULE_1__["getID3Data"](data, 0);
var offset = id3Data ? id3Data.length : 0;
var lastDataIndex;
var pts;
var track = this._audioTrack;
var id3Track = this._id3Track;
var timestamp = id3Data ? _demux_id3__WEBPACK_IMPORTED_MODULE_1__["getTimeStamp"](id3Data) : undefined;
var length = data.length;
if (this.frameIndex === 0 || this.initPTS === null) {
this.initPTS = initPTSFn(timestamp, timeOffset);
} // more expressive than alternative: id3Data?.length
if (id3Data && id3Data.length > 0) {
id3Track.samples.push({
pts: this.initPTS,
dts: this.initPTS,
data: id3Data
});
}
pts = this.initPTS;
while (offset < length) {
if (this.canParse(data, offset)) {
var frame = this.appendFrame(track, data, offset);
if (frame) {
this.frameIndex++;
pts = frame.sample.pts;
offset += frame.length;
lastDataIndex = offset;
} else {
offset = length;
}
} else if (_demux_id3__WEBPACK_IMPORTED_MODULE_1__["canParse"](data, offset)) {
// after a ID3.canParse, a call to ID3.getID3Data *should* always returns some data
id3Data = _demux_id3__WEBPACK_IMPORTED_MODULE_1__["getID3Data"](data, offset);
id3Track.samples.push({
pts: pts,
dts: pts,
data: id3Data
});
offset += id3Data.length;
lastDataIndex = offset;
} else {
offset++;
}
if (offset === length && lastDataIndex !== length) {
var partialData = Object(_utils_typed_array__WEBPACK_IMPORTED_MODULE_4__["sliceUint8"])(data, lastDataIndex);
if (this.cachedData) {
this.cachedData = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_3__["appendUint8Array"])(this.cachedData, partialData);
} else {
this.cachedData = partialData;
}
}
}
return {
audioTrack: track,
avcTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_2__["dummyTrack"])(),
id3Track: id3Track,
textTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_2__["dummyTrack"])()
};
};
_proto.demuxSampleAes = function demuxSampleAes(data, keyData, timeOffset) {
return Promise.reject(new Error("[" + this + "] This demuxer does not support Sample-AES decryption"));
};
_proto.flush = function flush(timeOffset) {
// Parse cache in case of remaining frames.
if (this.cachedData) {
this.demux(this.cachedData, 0);
}
this.frameIndex = 0;
this.cachedData = null;
return {
audioTrack: this._audioTrack,
avcTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_2__["dummyTrack"])(),
id3Track: this._id3Track,
textTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_2__["dummyTrack"])()
};
};
_proto.destroy = function destroy() {};
return BaseAudioDemuxer;
}();
/**
* Initialize PTS
* <p>
* use timestamp unless it is undefined, NaN or Infinity
* </p>
*/
var initPTSFn = function initPTSFn(timestamp, timeOffset) {
return Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(timestamp) ? timestamp * 90 : timeOffset * 90000;
};
/* harmony default export */ __webpack_exports__["default"] = (BaseAudioDemuxer);
/***/ }),
/***/ "./src/demux/chunk-cache.ts":
/*!**********************************!*\
!*** ./src/demux/chunk-cache.ts ***!
\**********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return ChunkCache; });
var ChunkCache = /*#__PURE__*/function () {
function ChunkCache() {
this.chunks = [];
this.dataLength = 0;
}
var _proto = ChunkCache.prototype;
_proto.push = function push(chunk) {
this.chunks.push(chunk);
this.dataLength += chunk.length;
};
_proto.flush = function flush() {
var chunks = this.chunks,
dataLength = this.dataLength;
var result;
if (!chunks.length) {
return new Uint8Array(0);
} else if (chunks.length === 1) {
result = chunks[0];
} else {
result = concatUint8Arrays(chunks, dataLength);
}
this.reset();
return result;
};
_proto.reset = function reset() {
this.chunks.length = 0;
this.dataLength = 0;
};
return ChunkCache;
}();
function concatUint8Arrays(chunks, dataLength) {
var result = new Uint8Array(dataLength);
var offset = 0;
for (var i = 0; i < chunks.length; i++) {
var chunk = chunks[i];
result.set(chunk, offset);
offset += chunk.length;
}
return result;
}
/***/ }),
/***/ "./src/demux/dummy-demuxed-track.ts":
/*!******************************************!*\
!*** ./src/demux/dummy-demuxed-track.ts ***!
\******************************************/
/*! exports provided: dummyTrack */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "dummyTrack", function() { return dummyTrack; });
function dummyTrack() {
return {
type: '',
id: -1,
pid: -1,
inputTimeScale: 90000,
sequenceNumber: -1,
samples: [],
dropped: 0
};
}
/***/ }),
/***/ "./src/demux/exp-golomb.ts":
/*!*********************************!*\
!*** ./src/demux/exp-golomb.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/**
* Parser for exponential Golomb codes, a variable-bitwidth number encoding scheme used by h264.
*/
var ExpGolomb = /*#__PURE__*/function () {
function ExpGolomb(data) {
this.data = void 0;
this.bytesAvailable = void 0;
this.word = void 0;
this.bitsAvailable = void 0;
this.data = data; // the number of bytes left to examine in this.data
this.bytesAvailable = data.byteLength; // the current word being examined
this.word = 0; // :uint
// the number of bits left to examine in the current word
this.bitsAvailable = 0; // :uint
} // ():void
var _proto = ExpGolomb.prototype;
_proto.loadWord = function loadWord() {
var data = this.data;
var bytesAvailable = this.bytesAvailable;
var position = data.byteLength - bytesAvailable;
var workingBytes = new Uint8Array(4);
var availableBytes = Math.min(4, bytesAvailable);
if (availableBytes === 0) {
throw new Error('no bytes available');
}
workingBytes.set(data.subarray(position, position + availableBytes));
this.word = new DataView(workingBytes.buffer).getUint32(0); // track the amount of this.data that has been processed
this.bitsAvailable = availableBytes * 8;
this.bytesAvailable -= availableBytes;
} // (count:int):void
;
_proto.skipBits = function skipBits(count) {
var skipBytes; // :int
if (this.bitsAvailable > count) {
this.word <<= count;
this.bitsAvailable -= count;
} else {
count -= this.bitsAvailable;
skipBytes = count >> 3;
count -= skipBytes >> 3;
this.bytesAvailable -= skipBytes;
this.loadWord();
this.word <<= count;
this.bitsAvailable -= count;
}
} // (size:int):uint
;
_proto.readBits = function readBits(size) {
var bits = Math.min(this.bitsAvailable, size); // :uint
var valu = this.word >>> 32 - bits; // :uint
if (size > 32) {
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].error('Cannot read more than 32 bits at a time');
}
this.bitsAvailable -= bits;
if (this.bitsAvailable > 0) {
this.word <<= bits;
} else if (this.bytesAvailable > 0) {
this.loadWord();
}
bits = size - bits;
if (bits > 0 && this.bitsAvailable) {
return valu << bits | this.readBits(bits);
} else {
return valu;
}
} // ():uint
;
_proto.skipLZ = function skipLZ() {
var leadingZeroCount; // :uint
for (leadingZeroCount = 0; leadingZeroCount < this.bitsAvailable; ++leadingZeroCount) {
if ((this.word & 0x80000000 >>> leadingZeroCount) !== 0) {
// the first bit of working word is 1
this.word <<= leadingZeroCount;
this.bitsAvailable -= leadingZeroCount;
return leadingZeroCount;
}
} // we exhausted word and still have not found a 1
this.loadWord();
return leadingZeroCount + this.skipLZ();
} // ():void
;
_proto.skipUEG = function skipUEG() {
this.skipBits(1 + this.skipLZ());
} // ():void
;
_proto.skipEG = function skipEG() {
this.skipBits(1 + this.skipLZ());
} // ():uint
;
_proto.readUEG = function readUEG() {
var clz = this.skipLZ(); // :uint
return this.readBits(clz + 1) - 1;
} // ():int
;
_proto.readEG = function readEG() {
var valu = this.readUEG(); // :int
if (0x01 & valu) {
// the number is odd if the low order bit is set
return 1 + valu >>> 1; // add 1 to make it even, and divide by 2
} else {
return -1 * (valu >>> 1); // divide by two then make it negative
}
} // Some convenience functions
// :Boolean
;
_proto.readBoolean = function readBoolean() {
return this.readBits(1) === 1;
} // ():int
;
_proto.readUByte = function readUByte() {
return this.readBits(8);
} // ():int
;
_proto.readUShort = function readUShort() {
return this.readBits(16);
} // ():int
;
_proto.readUInt = function readUInt() {
return this.readBits(32);
}
/**
* Advance the ExpGolomb decoder past a scaling list. The scaling
* list is optionally transmitted as part of a sequence parameter
* set and is not relevant to transmuxing.
* @param count the number of entries in this scaling list
* @see Recommendation ITU-T H.264, Section 7.3.2.1.1.1
*/
;
_proto.skipScalingList = function skipScalingList(count) {
var lastScale = 8;
var nextScale = 8;
var deltaScale;
for (var j = 0; j < count; j++) {
if (nextScale !== 0) {
deltaScale = this.readEG();
nextScale = (lastScale + deltaScale + 256) % 256;
}
lastScale = nextScale === 0 ? lastScale : nextScale;
}
}
/**
* Read a sequence parameter set and return some interesting video
* properties. A sequence parameter set is the H264 metadata that
* describes the properties of upcoming video frames.
* @param data {Uint8Array} the bytes of a sequence parameter set
* @return {object} an object with configuration parsed from the
* sequence parameter set, including the dimensions of the
* associated video frames.
*/
;
_proto.readSPS = function readSPS() {
var frameCropLeftOffset = 0;
var frameCropRightOffset = 0;
var frameCropTopOffset = 0;
var frameCropBottomOffset = 0;
var numRefFramesInPicOrderCntCycle;
var scalingListCount;
var i;
var readUByte = this.readUByte.bind(this);
var readBits = this.readBits.bind(this);
var readUEG = this.readUEG.bind(this);
var readBoolean = this.readBoolean.bind(this);
var skipBits = this.skipBits.bind(this);
var skipEG = this.skipEG.bind(this);
var skipUEG = this.skipUEG.bind(this);
var skipScalingList = this.skipScalingList.bind(this);
readUByte();
var profileIdc = readUByte(); // profile_idc
readBits(5); // profileCompat constraint_set[0-4]_flag, u(5)
skipBits(3); // reserved_zero_3bits u(3),
readUByte(); // level_idc u(8)
skipUEG(); // seq_parameter_set_id
// some profiles have more optional data we don't need
if (profileIdc === 100 || profileIdc === 110 || profileIdc === 122 || profileIdc === 244 || profileIdc === 44 || profileIdc === 83 || profileIdc === 86 || profileIdc === 118 || profileIdc === 128) {
var chromaFormatIdc = readUEG();
if (chromaFormatIdc === 3) {
skipBits(1);
} // separate_colour_plane_flag
skipUEG(); // bit_depth_luma_minus8
skipUEG(); // bit_depth_chroma_minus8
skipBits(1); // qpprime_y_zero_transform_bypass_flag
if (readBoolean()) {
// seq_scaling_matrix_present_flag
scalingListCount = chromaFormatIdc !== 3 ? 8 : 12;
for (i = 0; i < scalingListCount; i++) {
if (readBoolean()) {
// seq_scaling_list_present_flag[ i ]
if (i < 6) {
skipScalingList(16);
} else {
skipScalingList(64);
}
}
}
}
}
skipUEG(); // log2_max_frame_num_minus4
var picOrderCntType = readUEG();
if (picOrderCntType === 0) {
readUEG(); // log2_max_pic_order_cnt_lsb_minus4
} else if (picOrderCntType === 1) {
skipBits(1); // delta_pic_order_always_zero_flag
skipEG(); // offset_for_non_ref_pic
skipEG(); // offset_for_top_to_bottom_field
numRefFramesInPicOrderCntCycle = readUEG();
for (i = 0; i < numRefFramesInPicOrderCntCycle; i++) {
skipEG();
} // offset_for_ref_frame[ i ]
}
skipUEG(); // max_num_ref_frames
skipBits(1); // gaps_in_frame_num_value_allowed_flag
var picWidthInMbsMinus1 = readUEG();
var picHeightInMapUnitsMinus1 = readUEG();
var frameMbsOnlyFlag = readBits(1);
if (frameMbsOnlyFlag === 0) {
skipBits(1);
} // mb_adaptive_frame_field_flag
skipBits(1); // direct_8x8_inference_flag
if (readBoolean()) {
// frame_cropping_flag
frameCropLeftOffset = readUEG();
frameCropRightOffset = readUEG();
frameCropTopOffset = readUEG();
frameCropBottomOffset = readUEG();
}
var pixelRatio = [1, 1];
if (readBoolean()) {
// vui_parameters_present_flag
if (readBoolean()) {
// aspect_ratio_info_present_flag
var aspectRatioIdc = readUByte();
switch (aspectRatioIdc) {
case 1:
pixelRatio = [1, 1];
break;
case 2:
pixelRatio = [12, 11];
break;
case 3:
pixelRatio = [10, 11];
break;
case 4:
pixelRatio = [16, 11];
break;
case 5:
pixelRatio = [40, 33];
break;
case 6:
pixelRatio = [24, 11];
break;
case 7:
pixelRatio = [20, 11];
break;
case 8:
pixelRatio = [32, 11];
break;
case 9:
pixelRatio = [80, 33];
break;
case 10:
pixelRatio = [18, 11];
break;
case 11:
pixelRatio = [15, 11];
break;
case 12:
pixelRatio = [64, 33];
break;
case 13:
pixelRatio = [160, 99];
break;
case 14:
pixelRatio = [4, 3];
break;
case 15:
pixelRatio = [3, 2];
break;
case 16:
pixelRatio = [2, 1];
break;
case 255:
{
pixelRatio = [readUByte() << 8 | readUByte(), readUByte() << 8 | readUByte()];
break;
}
}
}
}
return {
width: Math.ceil((picWidthInMbsMinus1 + 1) * 16 - frameCropLeftOffset * 2 - frameCropRightOffset * 2),
height: (2 - frameMbsOnlyFlag) * (picHeightInMapUnitsMinus1 + 1) * 16 - (frameMbsOnlyFlag ? 2 : 4) * (frameCropTopOffset + frameCropBottomOffset),
pixelRatio: pixelRatio
};
};
_proto.readSliceType = function readSliceType() {
// skip NALu type
this.readUByte(); // discard first_mb_in_slice
this.readUEG(); // return slice_type
return this.readUEG();
};
return ExpGolomb;
}();
/* harmony default export */ __webpack_exports__["default"] = (ExpGolomb);
/***/ }),
/***/ "./src/demux/id3.ts":
/*!**************************!*\
!*** ./src/demux/id3.ts ***!
\**************************/
/*! exports provided: isHeader, isFooter, getID3Data, canParse, getTimeStamp, isTimeStampFrame, getID3Frames, decodeFrame, utf8ArrayToStr, testables */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isHeader", function() { return isHeader; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isFooter", function() { return isFooter; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getID3Data", function() { return getID3Data; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "canParse", function() { return canParse; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getTimeStamp", function() { return getTimeStamp; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isTimeStampFrame", function() { return isTimeStampFrame; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getID3Frames", function() { return getID3Frames; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "decodeFrame", function() { return decodeFrame; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "utf8ArrayToStr", function() { return utf8ArrayToStr; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "testables", function() { return testables; });
// breaking up those two types in order to clarify what is happening in the decoding path.
/**
* Returns true if an ID3 header can be found at offset in data
* @param {Uint8Array} data - The data to search in
* @param {number} offset - The offset at which to start searching
* @return {boolean} - True if an ID3 header is found
*/
var isHeader = function isHeader(data, offset) {
/*
* http://id3.org/id3v2.3.0
* [0] = 'I'
* [1] = 'D'
* [2] = '3'
* [3,4] = {Version}
* [5] = {Flags}
* [6-9] = {ID3 Size}
*
* An ID3v2 tag can be detected with the following pattern:
* $49 44 33 yy yy xx zz zz zz zz
* Where yy is less than $FF, xx is the 'flags' byte and zz is less than $80
*/
if (offset + 10 <= data.length) {
// look for 'ID3' identifier
if (data[offset] === 0x49 && data[offset + 1] === 0x44 && data[offset + 2] === 0x33) {
// check version is within range
if (data[offset + 3] < 0xff && data[offset + 4] < 0xff) {
// check size is within range
if (data[offset + 6] < 0x80 && data[offset + 7] < 0x80 && data[offset + 8] < 0x80 && data[offset + 9] < 0x80) {
return true;
}
}
}
}
return false;
};
/**
* Returns true if an ID3 footer can be found at offset in data
* @param {Uint8Array} data - The data to search in
* @param {number} offset - The offset at which to start searching
* @return {boolean} - True if an ID3 footer is found
*/
var isFooter = function isFooter(data, offset) {
/*
* The footer is a copy of the header, but with a different identifier
*/
if (offset + 10 <= data.length) {
// look for '3DI' identifier
if (data[offset] === 0x33 && data[offset + 1] === 0x44 && data[offset + 2] === 0x49) {
// check version is within range
if (data[offset + 3] < 0xff && data[offset + 4] < 0xff) {
// check size is within range
if (data[offset + 6] < 0x80 && data[offset + 7] < 0x80 && data[offset + 8] < 0x80 && data[offset + 9] < 0x80) {
return true;
}
}
}
}
return false;
};
/**
* Returns any adjacent ID3 tags found in data starting at offset, as one block of data
* @param {Uint8Array} data - The data to search in
* @param {number} offset - The offset at which to start searching
* @return {Uint8Array | undefined} - The block of data containing any ID3 tags found
* or *undefined* if no header is found at the starting offset
*/
var getID3Data = function getID3Data(data, offset) {
var front = offset;
var length = 0;
while (isHeader(data, offset)) {
// ID3 header is 10 bytes
length += 10;
var size = readSize(data, offset + 6);
length += size;
if (isFooter(data, offset + 10)) {
// ID3 footer is 10 bytes
length += 10;
}
offset += length;
}
if (length > 0) {
return data.subarray(front, front + length);
}
return undefined;
};
var readSize = function readSize(data, offset) {
var size = 0;
size = (data[offset] & 0x7f) << 21;
size |= (data[offset + 1] & 0x7f) << 14;
size |= (data[offset + 2] & 0x7f) << 7;
size |= data[offset + 3] & 0x7f;
return size;
};
var canParse = function canParse(data, offset) {
return isHeader(data, offset) && readSize(data, offset + 6) + 10 <= data.length - offset;
};
/**
* Searches for the Elementary Stream timestamp found in the ID3 data chunk
* @param {Uint8Array} data - Block of data containing one or more ID3 tags
* @return {number | undefined} - The timestamp
*/
var getTimeStamp = function getTimeStamp(data) {
var frames = getID3Frames(data);
for (var i = 0; i < frames.length; i++) {
var frame = frames[i];
if (isTimeStampFrame(frame)) {
return readTimeStamp(frame);
}
}
return undefined;
};
/**
* Returns true if the ID3 frame is an Elementary Stream timestamp frame
* @param {ID3 frame} frame
*/
var isTimeStampFrame = function isTimeStampFrame(frame) {
return frame && frame.key === 'PRIV' && frame.info === 'com.apple.streaming.transportStreamTimestamp';
};
var getFrameData = function getFrameData(data) {
/*
Frame ID $xx xx xx xx (four characters)
Size $xx xx xx xx
Flags $xx xx
*/
var type = String.fromCharCode(data[0], data[1], data[2], data[3]);
var size = readSize(data, 4); // skip frame id, size, and flags
var offset = 10;
return {
type: type,
size: size,
data: data.subarray(offset, offset + size)
};
};
/**
* Returns an array of ID3 frames found in all the ID3 tags in the id3Data
* @param {Uint8Array} id3Data - The ID3 data containing one or more ID3 tags
* @return {ID3.Frame[]} - Array of ID3 frame objects
*/
var getID3Frames = function getID3Frames(id3Data) {
var offset = 0;
var frames = [];
while (isHeader(id3Data, offset)) {
var size = readSize(id3Data, offset + 6); // skip past ID3 header
offset += 10;
var end = offset + size; // loop through frames in the ID3 tag
while (offset + 8 < end) {
var frameData = getFrameData(id3Data.subarray(offset));
var frame = decodeFrame(frameData);
if (frame) {
frames.push(frame);
} // skip frame header and frame data
offset += frameData.size + 10;
}
if (isFooter(id3Data, offset)) {
offset += 10;
}
}
return frames;
};
var decodeFrame = function decodeFrame(frame) {
if (frame.type === 'PRIV') {
return decodePrivFrame(frame);
} else if (frame.type[0] === 'W') {
return decodeURLFrame(frame);
}
return decodeTextFrame(frame);
};
var decodePrivFrame = function decodePrivFrame(frame) {
/*
Format: <text string>\0<binary data>
*/
if (frame.size < 2) {
return undefined;
}
var owner = utf8ArrayToStr(frame.data, true);
var privateData = new Uint8Array(frame.data.subarray(owner.length + 1));
return {
key: frame.type,
info: owner,
data: privateData.buffer
};
};
var decodeTextFrame = function decodeTextFrame(frame) {
if (frame.size < 2) {
return undefined;
}
if (frame.type === 'TXXX') {
/*
Format:
[0] = {Text Encoding}
[1-?] = {Description}\0{Value}
*/
var index = 1;
var description = utf8ArrayToStr(frame.data.subarray(index), true);
index += description.length + 1;
var value = utf8ArrayToStr(frame.data.subarray(index));
return {
key: frame.type,
info: description,
data: value
};
}
/*
Format:
[0] = {Text Encoding}
[1-?] = {Value}
*/
var text = utf8ArrayToStr(frame.data.subarray(1));
return {
key: frame.type,
data: text
};
};
var decodeURLFrame = function decodeURLFrame(frame) {
if (frame.type === 'WXXX') {
/*
Format:
[0] = {Text Encoding}
[1-?] = {Description}\0{URL}
*/
if (frame.size < 2) {
return undefined;
}
var index = 1;
var description = utf8ArrayToStr(frame.data.subarray(index), true);
index += description.length + 1;
var value = utf8ArrayToStr(frame.data.subarray(index));
return {
key: frame.type,
info: description,
data: value
};
}
/*
Format:
[0-?] = {URL}
*/
var url = utf8ArrayToStr(frame.data);
return {
key: frame.type,
data: url
};
};
var readTimeStamp = function readTimeStamp(timeStampFrame) {
if (timeStampFrame.data.byteLength === 8) {
var data = new Uint8Array(timeStampFrame.data); // timestamp is 33 bit expressed as a big-endian eight-octet number,
// with the upper 31 bits set to zero.
var pts33Bit = data[3] & 0x1;
var timestamp = (data[4] << 23) + (data[5] << 15) + (data[6] << 7) + data[7];
timestamp /= 45;
if (pts33Bit) {
timestamp += 47721858.84;
} // 2^32 / 90
return Math.round(timestamp);
}
return undefined;
}; // http://stackoverflow.com/questions/8936984/uint8array-to-string-in-javascript/22373197
// http://www.onicos.com/staff/iz/amuse/javascript/expert/utf.txt
/* utf.js - UTF-8 <=> UTF-16 convertion
*
* Copyright (C) 1999 Masanao Izumo <iz@onicos.co.jp>
* Version: 1.0
* LastModified: Dec 25 1999
* This library is free. You can redistribute it and/or modify it.
*/
var utf8ArrayToStr = function utf8ArrayToStr(array, exitOnNull) {
if (exitOnNull === void 0) {
exitOnNull = false;
}
var decoder = getTextDecoder();
if (decoder) {
var decoded = decoder.decode(array);
if (exitOnNull) {
// grab up to the first null
var idx = decoded.indexOf('\0');
return idx !== -1 ? decoded.substring(0, idx) : decoded;
} // remove any null characters
return decoded.replace(/\0/g, '');
}
var len = array.length;
var c;
var char2;
var char3;
var out = '';
var i = 0;
while (i < len) {
c = array[i++];
if (c === 0x00 && exitOnNull) {
return out;
} else if (c === 0x00 || c === 0x03) {
// If the character is 3 (END_OF_TEXT) or 0 (NULL) then skip it
continue;
}
switch (c >> 4) {
case 0:
case 1:
case 2:
case 3:
case 4:
case 5:
case 6:
case 7:
// 0xxxxxxx
out += String.fromCharCode(c);
break;
case 12:
case 13:
// 110x xxxx 10xx xxxx
char2 = array[i++];
out += String.fromCharCode((c & 0x1f) << 6 | char2 & 0x3f);
break;
case 14:
// 1110 xxxx 10xx xxxx 10xx xxxx
char2 = array[i++];
char3 = array[i++];
out += String.fromCharCode((c & 0x0f) << 12 | (char2 & 0x3f) << 6 | (char3 & 0x3f) << 0);
break;
default:
}
}
return out;
};
var testables = {
decodeTextFrame: decodeTextFrame
};
var decoder;
function getTextDecoder() {
if (!decoder && typeof self.TextDecoder !== 'undefined') {
decoder = new self.TextDecoder('utf-8');
}
return decoder;
}
/***/ }),
/***/ "./src/demux/mp3demuxer.ts":
/*!*********************************!*\
!*** ./src/demux/mp3demuxer.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _base_audio_demuxer__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./base-audio-demuxer */ "./src/demux/base-audio-demuxer.ts");
/* harmony import */ var _demux_id3__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../demux/id3 */ "./src/demux/id3.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _mpegaudio__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./mpegaudio */ "./src/demux/mpegaudio.ts");
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
/**
* MP3 demuxer
*/
var MP3Demuxer = /*#__PURE__*/function (_BaseAudioDemuxer) {
_inheritsLoose(MP3Demuxer, _BaseAudioDemuxer);
function MP3Demuxer() {
return _BaseAudioDemuxer.apply(this, arguments) || this;
}
var _proto = MP3Demuxer.prototype;
_proto.resetInitSegment = function resetInitSegment(audioCodec, videoCodec, duration) {
_BaseAudioDemuxer.prototype.resetInitSegment.call(this, audioCodec, videoCodec, duration);
this._audioTrack = {
container: 'audio/mpeg',
type: 'audio',
id: 0,
pid: -1,
sequenceNumber: 0,
isAAC: false,
samples: [],
manifestCodec: audioCodec,
duration: duration,
inputTimeScale: 90000,
dropped: 0
};
};
MP3Demuxer.probe = function probe(data) {
if (!data) {
return false;
} // check if data contains ID3 timestamp and MPEG sync word
// Look for MPEG header | 1111 1111 | 111X XYZX | where X can be either 0 or 1 and Y or Z should be 1
// Layer bits (position 14 and 15) in header should be always different from 0 (Layer I or Layer II or Layer III)
// More info http://www.mp3-tech.org/programmer/frame_header.html
var id3Data = _demux_id3__WEBPACK_IMPORTED_MODULE_1__["getID3Data"](data, 0) || [];
var offset = id3Data.length;
for (var length = data.length; offset < length; offset++) {
if (_mpegaudio__WEBPACK_IMPORTED_MODULE_3__["probe"](data, offset)) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].log('MPEG Audio sync word found !');
return true;
}
}
return false;
};
_proto.canParse = function canParse(data, offset) {
return _mpegaudio__WEBPACK_IMPORTED_MODULE_3__["canParse"](data, offset);
};
_proto.appendFrame = function appendFrame(track, data, offset) {
if (this.initPTS === null) {
return;
}
return _mpegaudio__WEBPACK_IMPORTED_MODULE_3__["appendFrame"](track, data, offset, this.initPTS, this.frameIndex);
};
return MP3Demuxer;
}(_base_audio_demuxer__WEBPACK_IMPORTED_MODULE_0__["default"]);
MP3Demuxer.minProbeByteLength = 4;
/* harmony default export */ __webpack_exports__["default"] = (MP3Demuxer);
/***/ }),
/***/ "./src/demux/mp4demuxer.ts":
/*!*********************************!*\
!*** ./src/demux/mp4demuxer.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./dummy-demuxed-track */ "./src/demux/dummy-demuxed-track.ts");
/**
* MP4 demuxer
*/
var MP4Demuxer = /*#__PURE__*/function () {
function MP4Demuxer(observer, config) {
this.remainderData = null;
this.config = void 0;
this.config = config;
}
var _proto = MP4Demuxer.prototype;
_proto.resetTimeStamp = function resetTimeStamp() {};
_proto.resetInitSegment = function resetInitSegment() {};
_proto.resetContiguity = function resetContiguity() {};
MP4Demuxer.probe = function probe(data) {
// ensure we find a moof box in the first 16 kB
return Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_0__["findBox"])({
data: data,
start: 0,
end: Math.min(data.length, 16384)
}, ['moof']).length > 0;
};
_proto.demux = function demux(data) {
// Load all data into the avc track. The CMAF remuxer will look for the data in the samples object; the rest of the fields do not matter
var avcSamples = data;
var avcTrack = Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])();
if (this.config.progressive) {
// Split the bytestream into two ranges: one encompassing all data up until the start of the last moof, and everything else.
// This is done to guarantee that we're sending valid data to MSE - when demuxing progressively, we have no guarantee
// that the fetch loader gives us flush moof+mdat pairs. If we push jagged data to MSE, it will throw an exception.
if (this.remainderData) {
avcSamples = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_0__["appendUint8Array"])(this.remainderData, data);
}
var segmentedData = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_0__["segmentValidRange"])(avcSamples);
this.remainderData = segmentedData.remainder;
avcTrack.samples = segmentedData.valid || new Uint8Array();
} else {
avcTrack.samples = avcSamples;
}
return {
audioTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])(),
avcTrack: avcTrack,
id3Track: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])(),
textTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])()
};
};
_proto.flush = function flush() {
var avcTrack = Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])();
avcTrack.samples = this.remainderData || new Uint8Array();
this.remainderData = null;
return {
audioTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])(),
avcTrack: avcTrack,
id3Track: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])(),
textTrack: Object(_dummy_demuxed_track__WEBPACK_IMPORTED_MODULE_1__["dummyTrack"])()
};
};
_proto.demuxSampleAes = function demuxSampleAes(data, keyData, timeOffset) {
return Promise.reject(new Error('The MP4 demuxer does not support SAMPLE-AES decryption'));
};
_proto.destroy = function destroy() {};
return MP4Demuxer;
}();
MP4Demuxer.minProbeByteLength = 1024;
/* harmony default export */ __webpack_exports__["default"] = (MP4Demuxer);
/***/ }),
/***/ "./src/demux/mpegaudio.ts":
/*!********************************!*\
!*** ./src/demux/mpegaudio.ts ***!
\********************************/
/*! exports provided: appendFrame, parseHeader, isHeaderPattern, isHeader, canParse, probe */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "appendFrame", function() { return appendFrame; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "parseHeader", function() { return parseHeader; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isHeaderPattern", function() { return isHeaderPattern; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isHeader", function() { return isHeader; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "canParse", function() { return canParse; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "probe", function() { return probe; });
/**
* MPEG parser helper
*/
var chromeVersion = null;
var BitratesMap = [32, 64, 96, 128, 160, 192, 224, 256, 288, 320, 352, 384, 416, 448, 32, 48, 56, 64, 80, 96, 112, 128, 160, 192, 224, 256, 320, 384, 32, 40, 48, 56, 64, 80, 96, 112, 128, 160, 192, 224, 256, 320, 32, 48, 56, 64, 80, 96, 112, 128, 144, 160, 176, 192, 224, 256, 8, 16, 24, 32, 40, 48, 56, 64, 80, 96, 112, 128, 144, 160];
var SamplingRateMap = [44100, 48000, 32000, 22050, 24000, 16000, 11025, 12000, 8000];
var SamplesCoefficients = [// MPEG 2.5
[0, // Reserved
72, // Layer3
144, // Layer2
12 // Layer1
], // Reserved
[0, // Reserved
0, // Layer3
0, // Layer2
0 // Layer1
], // MPEG 2
[0, // Reserved
72, // Layer3
144, // Layer2
12 // Layer1
], // MPEG 1
[0, // Reserved
144, // Layer3
144, // Layer2
12 // Layer1
]];
var BytesInSlot = [0, // Reserved
1, // Layer3
1, // Layer2
4 // Layer1
];
function appendFrame(track, data, offset, pts, frameIndex) {
// Using http://www.datavoyage.com/mpgscript/mpeghdr.htm as a reference
if (offset + 24 > data.length) {
return;
}
var header = parseHeader(data, offset);
if (header && offset + header.frameLength <= data.length) {
var frameDuration = header.samplesPerFrame * 90000 / header.sampleRate;
var stamp = pts + frameIndex * frameDuration;
var sample = {
unit: data.subarray(offset, offset + header.frameLength),
pts: stamp,
dts: stamp
};
track.config = [];
track.channelCount = header.channelCount;
track.samplerate = header.sampleRate;
track.samples.push(sample);
return {
sample: sample,
length: header.frameLength
};
}
}
function parseHeader(data, offset) {
var mpegVersion = data[offset + 1] >> 3 & 3;
var mpegLayer = data[offset + 1] >> 1 & 3;
var bitRateIndex = data[offset + 2] >> 4 & 15;
var sampleRateIndex = data[offset + 2] >> 2 & 3;
if (mpegVersion !== 1 && bitRateIndex !== 0 && bitRateIndex !== 15 && sampleRateIndex !== 3) {
var paddingBit = data[offset + 2] >> 1 & 1;
var channelMode = data[offset + 3] >> 6;
var columnInBitrates = mpegVersion === 3 ? 3 - mpegLayer : mpegLayer === 3 ? 3 : 4;
var bitRate = BitratesMap[columnInBitrates * 14 + bitRateIndex - 1] * 1000;
var columnInSampleRates = mpegVersion === 3 ? 0 : mpegVersion === 2 ? 1 : 2;
var sampleRate = SamplingRateMap[columnInSampleRates * 3 + sampleRateIndex];
var channelCount = channelMode === 3 ? 1 : 2; // If bits of channel mode are `11` then it is a single channel (Mono)
var sampleCoefficient = SamplesCoefficients[mpegVersion][mpegLayer];
var bytesInSlot = BytesInSlot[mpegLayer];
var samplesPerFrame = sampleCoefficient * 8 * bytesInSlot;
var frameLength = Math.floor(sampleCoefficient * bitRate / sampleRate + paddingBit) * bytesInSlot;
if (chromeVersion === null) {
var userAgent = navigator.userAgent || '';
var result = userAgent.match(/Chrome\/(\d+)/i);
chromeVersion = result ? parseInt(result[1]) : 0;
}
var needChromeFix = !!chromeVersion && chromeVersion <= 87;
if (needChromeFix && mpegLayer === 2 && bitRate >= 224000 && channelMode === 0) {
// Work around bug in Chromium by setting channelMode to dual-channel (01) instead of stereo (00)
data[offset + 3] = data[offset + 3] | 0x80;
}
return {
sampleRate: sampleRate,
channelCount: channelCount,
frameLength: frameLength,
samplesPerFrame: samplesPerFrame
};
}
}
function isHeaderPattern(data, offset) {
return data[offset] === 0xff && (data[offset + 1] & 0xe0) === 0xe0 && (data[offset + 1] & 0x06) !== 0x00;
}
function isHeader(data, offset) {
// Look for MPEG header | 1111 1111 | 111X XYZX | where X can be either 0 or 1 and Y or Z should be 1
// Layer bits (position 14 and 15) in header should be always different from 0 (Layer I or Layer II or Layer III)
// More info http://www.mp3-tech.org/programmer/frame_header.html
return offset + 1 < data.length && isHeaderPattern(data, offset);
}
function canParse(data, offset) {
var headerSize = 4;
return isHeaderPattern(data, offset) && data.length - offset >= headerSize;
}
function probe(data, offset) {
// same as isHeader but we also check that MPEG frame follows last MPEG frame
// or end of data is reached
if (offset + 1 < data.length && isHeaderPattern(data, offset)) {
// MPEG header Length
var headerLength = 4; // MPEG frame Length
var header = parseHeader(data, offset);
var frameLength = headerLength;
if (header !== null && header !== void 0 && header.frameLength) {
frameLength = header.frameLength;
}
var newOffset = offset + frameLength;
return newOffset === data.length || isHeader(data, newOffset);
}
return false;
}
/***/ }),
/***/ "./src/demux/sample-aes.ts":
/*!*********************************!*\
!*** ./src/demux/sample-aes.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _crypt_decrypter__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../crypt/decrypter */ "./src/crypt/decrypter.ts");
/* harmony import */ var _tsdemuxer__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./tsdemuxer */ "./src/demux/tsdemuxer.ts");
/**
* SAMPLE-AES decrypter
*/
var SampleAesDecrypter = /*#__PURE__*/function () {
function SampleAesDecrypter(observer, config, keyData) {
this.keyData = void 0;
this.decrypter = void 0;
this.keyData = keyData;
this.decrypter = new _crypt_decrypter__WEBPACK_IMPORTED_MODULE_0__["default"](observer, config, {
removePKCS7Padding: false
});
}
var _proto = SampleAesDecrypter.prototype;
_proto.decryptBuffer = function decryptBuffer(encryptedData, callback) {
this.decrypter.decrypt(encryptedData, this.keyData.key.buffer, this.keyData.iv.buffer, callback);
} // AAC - encrypt all full 16 bytes blocks starting from offset 16
;
_proto.decryptAacSample = function decryptAacSample(samples, sampleIndex, callback, sync) {
var curUnit = samples[sampleIndex].unit;
var encryptedData = curUnit.subarray(16, curUnit.length - curUnit.length % 16);
var encryptedBuffer = encryptedData.buffer.slice(encryptedData.byteOffset, encryptedData.byteOffset + encryptedData.length);
var localthis = this;
this.decryptBuffer(encryptedBuffer, function (decryptedBuffer) {
var decryptedData = new Uint8Array(decryptedBuffer);
curUnit.set(decryptedData, 16);
if (!sync) {
localthis.decryptAacSamples(samples, sampleIndex + 1, callback);
}
});
};
_proto.decryptAacSamples = function decryptAacSamples(samples, sampleIndex, callback) {
for (;; sampleIndex++) {
if (sampleIndex >= samples.length) {
callback();
return;
}
if (samples[sampleIndex].unit.length < 32) {
continue;
}
var sync = this.decrypter.isSync();
this.decryptAacSample(samples, sampleIndex, callback, sync);
if (!sync) {
return;
}
}
} // AVC - encrypt one 16 bytes block out of ten, starting from offset 32
;
_proto.getAvcEncryptedData = function getAvcEncryptedData(decodedData) {
var encryptedDataLen = Math.floor((decodedData.length - 48) / 160) * 16 + 16;
var encryptedData = new Int8Array(encryptedDataLen);
var outputPos = 0;
for (var inputPos = 32; inputPos <= decodedData.length - 16; inputPos += 160, outputPos += 16) {
encryptedData.set(decodedData.subarray(inputPos, inputPos + 16), outputPos);
}
return encryptedData;
};
_proto.getAvcDecryptedUnit = function getAvcDecryptedUnit(decodedData, decryptedData) {
var uint8DecryptedData = new Uint8Array(decryptedData);
var inputPos = 0;
for (var outputPos = 32; outputPos <= decodedData.length - 16; outputPos += 160, inputPos += 16) {
decodedData.set(uint8DecryptedData.subarray(inputPos, inputPos + 16), outputPos);
}
return decodedData;
};
_proto.decryptAvcSample = function decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit, sync) {
var decodedData = Object(_tsdemuxer__WEBPACK_IMPORTED_MODULE_1__["discardEPB"])(curUnit.data);
var encryptedData = this.getAvcEncryptedData(decodedData);
var localthis = this;
this.decryptBuffer(encryptedData.buffer, function (decryptedBuffer) {
curUnit.data = localthis.getAvcDecryptedUnit(decodedData, decryptedBuffer);
if (!sync) {
localthis.decryptAvcSamples(samples, sampleIndex, unitIndex + 1, callback);
}
});
};
_proto.decryptAvcSamples = function decryptAvcSamples(samples, sampleIndex, unitIndex, callback) {
if (samples instanceof Uint8Array) {
throw new Error('Cannot decrypt samples of type Uint8Array');
}
for (;; sampleIndex++, unitIndex = 0) {
if (sampleIndex >= samples.length) {
callback();
return;
}
var curUnits = samples[sampleIndex].units;
for (;; unitIndex++) {
if (unitIndex >= curUnits.length) {
break;
}
var curUnit = curUnits[unitIndex];
if (curUnit.data.length <= 48 || curUnit.type !== 1 && curUnit.type !== 5) {
continue;
}
var sync = this.decrypter.isSync();
this.decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit, sync);
if (!sync) {
return;
}
}
}
};
return SampleAesDecrypter;
}();
/* harmony default export */ __webpack_exports__["default"] = (SampleAesDecrypter);
/***/ }),
/***/ "./src/demux/transmuxer-interface.ts":
/*!*******************************************!*\
!*** ./src/demux/transmuxer-interface.ts ***!
\*******************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return TransmuxerInterface; });
/* harmony import */ var webworkify_webpack__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! webworkify-webpack */ "./node_modules/webworkify-webpack/index.js");
/* harmony import */ var webworkify_webpack__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(webworkify_webpack__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../demux/transmuxer */ "./src/demux/transmuxer.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_mediasource_helper__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/mediasource-helper */ "./src/utils/mediasource-helper.ts");
/* harmony import */ var eventemitter3__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! eventemitter3 */ "./node_modules/eventemitter3/index.js");
/* harmony import */ var eventemitter3__WEBPACK_IMPORTED_MODULE_6___default = /*#__PURE__*/__webpack_require__.n(eventemitter3__WEBPACK_IMPORTED_MODULE_6__);
var MediaSource = Object(_utils_mediasource_helper__WEBPACK_IMPORTED_MODULE_5__["getMediaSource"])() || {
isTypeSupported: function isTypeSupported() {
return false;
}
};
var TransmuxerInterface = /*#__PURE__*/function () {
function TransmuxerInterface(hls, id, onTransmuxComplete, onFlush) {
var _this = this;
this.hls = void 0;
this.id = void 0;
this.observer = void 0;
this.frag = null;
this.part = null;
this.worker = void 0;
this.onwmsg = void 0;
this.transmuxer = null;
this.onTransmuxComplete = void 0;
this.onFlush = void 0;
this.hls = hls;
this.id = id;
this.onTransmuxComplete = onTransmuxComplete;
this.onFlush = onFlush;
var config = hls.config;
var forwardMessage = function forwardMessage(ev, data) {
data = data || {};
data.frag = _this.frag;
data.id = _this.id;
hls.trigger(ev, data);
}; // forward events to main thread
this.observer = new eventemitter3__WEBPACK_IMPORTED_MODULE_6__["EventEmitter"]();
this.observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_DECRYPTED, forwardMessage);
this.observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, forwardMessage);
var typeSupported = {
mp4: MediaSource.isTypeSupported('video/mp4'),
mpeg: MediaSource.isTypeSupported('audio/mpeg'),
mp3: MediaSource.isTypeSupported('audio/mp4; codecs="mp3"')
}; // navigator.vendor is not always available in Web Worker
// refer to https://developer.mozilla.org/en-US/docs/Web/API/WorkerGlobalScope/navigator
var vendor = navigator.vendor;
if (config.enableWorker && typeof Worker !== 'undefined') {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].log('demuxing in webworker');
var worker;
try {
worker = this.worker = webworkify_webpack__WEBPACK_IMPORTED_MODULE_0__(/*require.resolve*/(/*! ../demux/transmuxer-worker.ts */ "./src/demux/transmuxer-worker.ts"));
this.onwmsg = this.onWorkerMessage.bind(this);
worker.addEventListener('message', this.onwmsg);
worker.onerror = function (event) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorTypes"].OTHER_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorDetails"].INTERNAL_EXCEPTION,
fatal: true,
event: 'demuxerWorker',
error: new Error(event.message + " (" + event.filename + ":" + event.lineno + ")")
});
};
worker.postMessage({
cmd: 'init',
typeSupported: typeSupported,
vendor: vendor,
id: id,
config: JSON.stringify(config)
});
} catch (err) {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn('Error in worker:', err);
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].error('Error while initializing DemuxerWorker, fallback to inline');
if (worker) {
// revoke the Object URL that was used to create transmuxer worker, so as not to leak it
self.URL.revokeObjectURL(worker.objectURL);
}
this.transmuxer = new _demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__["default"](this.observer, typeSupported, config, vendor);
this.worker = null;
}
} else {
this.transmuxer = new _demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__["default"](this.observer, typeSupported, config, vendor);
}
}
var _proto = TransmuxerInterface.prototype;
_proto.destroy = function destroy() {
var w = this.worker;
if (w) {
w.removeEventListener('message', this.onwmsg);
w.terminate();
this.worker = null;
} else {
var transmuxer = this.transmuxer;
if (transmuxer) {
transmuxer.destroy();
this.transmuxer = null;
}
}
var observer = this.observer;
if (observer) {
observer.removeAllListeners();
} // @ts-ignore
this.observer = null;
};
_proto.push = function push(data, initSegmentData, audioCodec, videoCodec, frag, part, duration, accurateTimeOffset, chunkMeta, defaultInitPTS) {
var _this2 = this;
chunkMeta.transmuxing.start = self.performance.now();
var transmuxer = this.transmuxer,
worker = this.worker;
var timeOffset = part ? part.start : frag.start;
var decryptdata = frag.decryptdata;
var lastFrag = this.frag;
var discontinuity = !(lastFrag && frag.cc === lastFrag.cc);
var trackSwitch = !(lastFrag && chunkMeta.level === lastFrag.level);
var snDiff = lastFrag ? chunkMeta.sn - lastFrag.sn : -1;
var partDiff = this.part ? chunkMeta.part - this.part.index : 1;
var contiguous = !trackSwitch && (snDiff === 1 || snDiff === 0 && partDiff === 1);
var now = self.performance.now();
if (trackSwitch || snDiff || frag.stats.parsing.start === 0) {
frag.stats.parsing.start = now;
}
if (part && (partDiff || !contiguous)) {
part.stats.parsing.start = now;
}
var state = new _demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__["TransmuxState"](discontinuity, contiguous, accurateTimeOffset, trackSwitch, timeOffset);
if (!contiguous || discontinuity) {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].log("[transmuxer-interface, " + frag.type + "]: Starting new transmux session for sn: " + chunkMeta.sn + " p: " + chunkMeta.part + " level: " + chunkMeta.level + " id: " + chunkMeta.id + "\n discontinuity: " + discontinuity + "\n trackSwitch: " + trackSwitch + "\n contiguous: " + contiguous + "\n accurateTimeOffset: " + accurateTimeOffset + "\n timeOffset: " + timeOffset);
var config = new _demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__["TransmuxConfig"](audioCodec, videoCodec, initSegmentData, duration, defaultInitPTS);
this.configureTransmuxer(config);
}
this.frag = frag;
this.part = part; // Frags with sn of 'initSegment' are not transmuxed
if (worker) {
// post fragment payload as transferable objects for ArrayBuffer (no copy)
worker.postMessage({
cmd: 'demux',
data: data,
decryptdata: decryptdata,
chunkMeta: chunkMeta,
state: state
}, data instanceof ArrayBuffer ? [data] : []);
} else if (transmuxer) {
var _transmuxResult = transmuxer.push(data, decryptdata, chunkMeta, state);
if (Object(_demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__["isPromise"])(_transmuxResult)) {
_transmuxResult.then(function (data) {
_this2.handleTransmuxComplete(data);
});
} else {
this.handleTransmuxComplete(_transmuxResult);
}
}
};
_proto.flush = function flush(chunkMeta) {
var _this3 = this;
chunkMeta.transmuxing.start = self.performance.now();
var transmuxer = this.transmuxer,
worker = this.worker;
if (worker) {
worker.postMessage({
cmd: 'flush',
chunkMeta: chunkMeta
});
} else if (transmuxer) {
var _transmuxResult2 = transmuxer.flush(chunkMeta);
if (Object(_demux_transmuxer__WEBPACK_IMPORTED_MODULE_2__["isPromise"])(_transmuxResult2)) {
_transmuxResult2.then(function (data) {
_this3.handleFlushResult(data, chunkMeta);
});
} else {
this.handleFlushResult(_transmuxResult2, chunkMeta);
}
}
};
_proto.handleFlushResult = function handleFlushResult(results, chunkMeta) {
var _this4 = this;
results.forEach(function (result) {
_this4.handleTransmuxComplete(result);
});
this.onFlush(chunkMeta);
};
_proto.onWorkerMessage = function onWorkerMessage(ev) {
var data = ev.data;
var hls = this.hls;
switch (data.event) {
case 'init':
{
// revoke the Object URL that was used to create transmuxer worker, so as not to leak it
self.URL.revokeObjectURL(this.worker.objectURL);
break;
}
case 'transmuxComplete':
{
this.handleTransmuxComplete(data.data);
break;
}
case 'flush':
{
this.onFlush(data.data);
break;
}
/* falls through */
default:
{
data.data = data.data || {};
data.data.frag = this.frag;
data.data.id = this.id;
hls.trigger(data.event, data.data);
break;
}
}
};
_proto.configureTransmuxer = function configureTransmuxer(config) {
var worker = this.worker,
transmuxer = this.transmuxer;
if (worker) {
worker.postMessage({
cmd: 'configure',
config: config
});
} else if (transmuxer) {
transmuxer.configure(config);
}
};
_proto.handleTransmuxComplete = function handleTransmuxComplete(result) {
result.chunkMeta.transmuxing.end = self.performance.now();
this.onTransmuxComplete(result);
};
return TransmuxerInterface;
}();
/***/ }),
/***/ "./src/demux/transmuxer-worker.ts":
/*!****************************************!*\
!*** ./src/demux/transmuxer-worker.ts ***!
\****************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return TransmuxerWorker; });
/* harmony import */ var _demux_transmuxer__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../demux/transmuxer */ "./src/demux/transmuxer.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var eventemitter3__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! eventemitter3 */ "./node_modules/eventemitter3/index.js");
/* harmony import */ var eventemitter3__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(eventemitter3__WEBPACK_IMPORTED_MODULE_3__);
function TransmuxerWorker(self) {
var observer = new eventemitter3__WEBPACK_IMPORTED_MODULE_3__["EventEmitter"]();
var forwardMessage = function forwardMessage(ev, data) {
self.postMessage({
event: ev,
data: data
});
}; // forward events to main thread
observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].FRAG_DECRYPTED, forwardMessage);
observer.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, forwardMessage);
self.addEventListener('message', function (ev) {
var data = ev.data;
switch (data.cmd) {
case 'init':
{
var config = JSON.parse(data.config);
self.transmuxer = new _demux_transmuxer__WEBPACK_IMPORTED_MODULE_0__["default"](observer, data.typeSupported, config, data.vendor);
Object(_utils_logger__WEBPACK_IMPORTED_MODULE_2__["enableLogs"])(config.debug);
forwardMessage('init', null);
break;
}
case 'configure':
{
self.transmuxer.configure(data.config);
break;
}
case 'demux':
{
var transmuxResult = self.transmuxer.push(data.data, data.decryptdata, data.chunkMeta, data.state);
if (Object(_demux_transmuxer__WEBPACK_IMPORTED_MODULE_0__["isPromise"])(transmuxResult)) {
transmuxResult.then(function (data) {
emitTransmuxComplete(self, data);
});
} else {
emitTransmuxComplete(self, transmuxResult);
}
break;
}
case 'flush':
{
var id = data.chunkMeta;
var _transmuxResult = self.transmuxer.flush(id);
if (Object(_demux_transmuxer__WEBPACK_IMPORTED_MODULE_0__["isPromise"])(_transmuxResult)) {
_transmuxResult.then(function (results) {
handleFlushResult(self, results, id);
});
} else {
handleFlushResult(self, _transmuxResult, id);
}
break;
}
default:
break;
}
});
}
function emitTransmuxComplete(self, transmuxResult) {
if (isEmptyResult(transmuxResult.remuxResult)) {
return;
}
var transferable = [];
var _transmuxResult$remux = transmuxResult.remuxResult,
audio = _transmuxResult$remux.audio,
video = _transmuxResult$remux.video;
if (audio) {
addToTransferable(transferable, audio);
}
if (video) {
addToTransferable(transferable, video);
}
self.postMessage({
event: 'transmuxComplete',
data: transmuxResult
}, transferable);
} // Converts data to a transferable object https://developers.google.com/web/updates/2011/12/Transferable-Objects-Lightning-Fast)
// in order to minimize message passing overhead
function addToTransferable(transferable, track) {
if (track.data1) {
transferable.push(track.data1.buffer);
}
if (track.data2) {
transferable.push(track.data2.buffer);
}
}
function handleFlushResult(self, results, chunkMeta) {
results.forEach(function (result) {
emitTransmuxComplete(self, result);
});
self.postMessage({
event: 'flush',
data: chunkMeta
});
}
function isEmptyResult(remuxResult) {
return !remuxResult.audio && !remuxResult.video && !remuxResult.text && !remuxResult.id3 && !remuxResult.initSegment;
}
/***/ }),
/***/ "./src/demux/transmuxer.ts":
/*!*********************************!*\
!*** ./src/demux/transmuxer.ts ***!
\*********************************/
/*! exports provided: default, isPromise, TransmuxConfig, TransmuxState */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return Transmuxer; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isPromise", function() { return isPromise; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "TransmuxConfig", function() { return TransmuxConfig; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "TransmuxState", function() { return TransmuxState; });
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _crypt_decrypter__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../crypt/decrypter */ "./src/crypt/decrypter.ts");
/* harmony import */ var _demux_aacdemuxer__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../demux/aacdemuxer */ "./src/demux/aacdemuxer.ts");
/* harmony import */ var _demux_mp4demuxer__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../demux/mp4demuxer */ "./src/demux/mp4demuxer.ts");
/* harmony import */ var _demux_tsdemuxer__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../demux/tsdemuxer */ "./src/demux/tsdemuxer.ts");
/* harmony import */ var _demux_mp3demuxer__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../demux/mp3demuxer */ "./src/demux/mp3demuxer.ts");
/* harmony import */ var _remux_mp4_remuxer__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../remux/mp4-remuxer */ "./src/remux/mp4-remuxer.ts");
/* harmony import */ var _remux_passthrough_remuxer__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../remux/passthrough-remuxer */ "./src/remux/passthrough-remuxer.ts");
/* harmony import */ var _chunk_cache__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./chunk-cache */ "./src/demux/chunk-cache.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
var now; // performance.now() not available on WebWorker, at least on Safari Desktop
try {
now = self.performance.now.bind(self.performance);
} catch (err) {
_utils_logger__WEBPACK_IMPORTED_MODULE_11__["logger"].debug('Unable to use Performance API on this environment');
now = self.Date.now;
}
var muxConfig = [{
demux: _demux_tsdemuxer__WEBPACK_IMPORTED_MODULE_5__["default"],
remux: _remux_mp4_remuxer__WEBPACK_IMPORTED_MODULE_7__["default"]
}, {
demux: _demux_mp4demuxer__WEBPACK_IMPORTED_MODULE_4__["default"],
remux: _remux_passthrough_remuxer__WEBPACK_IMPORTED_MODULE_8__["default"]
}, {
demux: _demux_aacdemuxer__WEBPACK_IMPORTED_MODULE_3__["default"],
remux: _remux_mp4_remuxer__WEBPACK_IMPORTED_MODULE_7__["default"]
}, {
demux: _demux_mp3demuxer__WEBPACK_IMPORTED_MODULE_6__["default"],
remux: _remux_mp4_remuxer__WEBPACK_IMPORTED_MODULE_7__["default"]
}];
var minProbeByteLength = 1024;
muxConfig.forEach(function (_ref) {
var demux = _ref.demux;
minProbeByteLength = Math.max(minProbeByteLength, demux.minProbeByteLength);
});
var Transmuxer = /*#__PURE__*/function () {
function Transmuxer(observer, typeSupported, config, vendor) {
this.observer = void 0;
this.typeSupported = void 0;
this.config = void 0;
this.vendor = void 0;
this.demuxer = void 0;
this.remuxer = void 0;
this.decrypter = void 0;
this.probe = void 0;
this.decryptionPromise = null;
this.transmuxConfig = void 0;
this.currentTransmuxState = void 0;
this.cache = new _chunk_cache__WEBPACK_IMPORTED_MODULE_9__["default"]();
this.observer = observer;
this.typeSupported = typeSupported;
this.config = config;
this.vendor = vendor;
}
var _proto = Transmuxer.prototype;
_proto.configure = function configure(transmuxConfig) {
this.transmuxConfig = transmuxConfig;
if (this.decrypter) {
this.decrypter.reset();
}
};
_proto.push = function push(data, decryptdata, chunkMeta, state) {
var _this = this;
var stats = chunkMeta.transmuxing;
stats.executeStart = now();
var uintData = new Uint8Array(data);
var cache = this.cache,
config = this.config,
currentTransmuxState = this.currentTransmuxState,
transmuxConfig = this.transmuxConfig;
if (state) {
this.currentTransmuxState = state;
}
var keyData = getEncryptionType(uintData, decryptdata);
if (keyData && keyData.method === 'AES-128') {
var decrypter = this.getDecrypter(); // Software decryption is synchronous; webCrypto is not
if (config.enableSoftwareAES) {
// Software decryption is progressive. Progressive decryption may not return a result on each call. Any cached
// data is handled in the flush() call
var decryptedData = decrypter.softwareDecrypt(uintData, keyData.key.buffer, keyData.iv.buffer);
if (!decryptedData) {
stats.executeEnd = now();
return emptyResult(chunkMeta);
}
uintData = new Uint8Array(decryptedData);
} else {
this.decryptionPromise = decrypter.webCryptoDecrypt(uintData, keyData.key.buffer, keyData.iv.buffer).then(function (decryptedData) {
// Calling push here is important; if flush() is called while this is still resolving, this ensures that
// the decrypted data has been transmuxed
var result = _this.push(decryptedData, null, chunkMeta);
_this.decryptionPromise = null;
return result;
});
return this.decryptionPromise;
}
}
var _ref2 = state || currentTransmuxState,
contiguous = _ref2.contiguous,
discontinuity = _ref2.discontinuity,
trackSwitch = _ref2.trackSwitch,
accurateTimeOffset = _ref2.accurateTimeOffset,
timeOffset = _ref2.timeOffset;
var audioCodec = transmuxConfig.audioCodec,
videoCodec = transmuxConfig.videoCodec,
defaultInitPts = transmuxConfig.defaultInitPts,
duration = transmuxConfig.duration,
initSegmentData = transmuxConfig.initSegmentData; // Reset muxers before probing to ensure that their state is clean, even if flushing occurs before a successful probe
if (discontinuity || trackSwitch) {
this.resetInitSegment(initSegmentData, audioCodec, videoCodec, duration);
}
if (discontinuity) {
this.resetInitialTimestamp(defaultInitPts);
}
if (!contiguous) {
this.resetContiguity();
}
if (this.needsProbing(uintData, discontinuity, trackSwitch)) {
if (cache.dataLength) {
var cachedData = cache.flush();
uintData = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_10__["appendUint8Array"])(cachedData, uintData);
}
this.configureTransmuxer(uintData, transmuxConfig);
}
var result = this.transmux(uintData, keyData, timeOffset, accurateTimeOffset, chunkMeta);
var currentState = this.currentTransmuxState;
currentState.contiguous = true;
currentState.discontinuity = false;
currentState.trackSwitch = false;
stats.executeEnd = now();
return result;
} // Due to data caching, flush calls can produce more than one TransmuxerResult (hence the Array type)
;
_proto.flush = function flush(chunkMeta) {
var _this2 = this;
var stats = chunkMeta.transmuxing;
stats.executeStart = now();
var decrypter = this.decrypter,
cache = this.cache,
currentTransmuxState = this.currentTransmuxState,
decryptionPromise = this.decryptionPromise;
if (decryptionPromise) {
// Upon resolution, the decryption promise calls push() and returns its TransmuxerResult up the stack. Therefore
// only flushing is required for async decryption
return decryptionPromise.then(function () {
return _this2.flush(chunkMeta);
});
}
var transmuxResults = [];
var timeOffset = currentTransmuxState.timeOffset;
if (decrypter) {
// The decrypter may have data cached, which needs to be demuxed. In this case we'll have two TransmuxResults
// This happens in the case that we receive only 1 push call for a segment (either for non-progressive downloads,
// or for progressive downloads with small segments)
var decryptedData = decrypter.flush();
if (decryptedData) {
// Push always returns a TransmuxerResult if decryptdata is null
transmuxResults.push(this.push(decryptedData, null, chunkMeta));
}
}
var bytesSeen = cache.dataLength;
cache.reset();
var demuxer = this.demuxer,
remuxer = this.remuxer;
if (!demuxer || !remuxer) {
// If probing failed, and each demuxer saw enough bytes to be able to probe, then Hls.js has been given content its not able to handle
if (bytesSeen >= minProbeByteLength) {
this.observer.emit(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].ERROR, _events__WEBPACK_IMPORTED_MODULE_0__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_PARSING_ERROR,
fatal: true,
reason: 'no demux matching with content found'
});
}
stats.executeEnd = now();
return [emptyResult(chunkMeta)];
}
var demuxResultOrPromise = demuxer.flush(timeOffset);
if (isPromise(demuxResultOrPromise)) {
// Decrypt final SAMPLE-AES samples
return demuxResultOrPromise.then(function (demuxResult) {
_this2.flushRemux(transmuxResults, demuxResult, chunkMeta);
return transmuxResults;
});
}
this.flushRemux(transmuxResults, demuxResultOrPromise, chunkMeta);
return transmuxResults;
};
_proto.flushRemux = function flushRemux(transmuxResults, demuxResult, chunkMeta) {
var audioTrack = demuxResult.audioTrack,
avcTrack = demuxResult.avcTrack,
id3Track = demuxResult.id3Track,
textTrack = demuxResult.textTrack;
var _this$currentTransmux = this.currentTransmuxState,
accurateTimeOffset = _this$currentTransmux.accurateTimeOffset,
timeOffset = _this$currentTransmux.timeOffset;
_utils_logger__WEBPACK_IMPORTED_MODULE_11__["logger"].log("[transmuxer.ts]: Flushed fragment " + chunkMeta.sn + (chunkMeta.part > -1 ? ' p: ' + chunkMeta.part : '') + " of level " + chunkMeta.level);
var remuxResult = this.remuxer.remux(audioTrack, avcTrack, id3Track, textTrack, timeOffset, accurateTimeOffset, true);
transmuxResults.push({
remuxResult: remuxResult,
chunkMeta: chunkMeta
});
chunkMeta.transmuxing.executeEnd = now();
};
_proto.resetInitialTimestamp = function resetInitialTimestamp(defaultInitPts) {
var demuxer = this.demuxer,
remuxer = this.remuxer;
if (!demuxer || !remuxer) {
return;
}
demuxer.resetTimeStamp(defaultInitPts);
remuxer.resetTimeStamp(defaultInitPts);
};
_proto.resetContiguity = function resetContiguity() {
var demuxer = this.demuxer,
remuxer = this.remuxer;
if (!demuxer || !remuxer) {
return;
}
demuxer.resetContiguity();
remuxer.resetNextTimestamp();
};
_proto.resetInitSegment = function resetInitSegment(initSegmentData, audioCodec, videoCodec, duration) {
var demuxer = this.demuxer,
remuxer = this.remuxer;
if (!demuxer || !remuxer) {
return;
}
demuxer.resetInitSegment(audioCodec, videoCodec, duration);
remuxer.resetInitSegment(initSegmentData, audioCodec, videoCodec);
};
_proto.destroy = function destroy() {
if (this.demuxer) {
this.demuxer.destroy();
this.demuxer = undefined;
}
if (this.remuxer) {
this.remuxer.destroy();
this.remuxer = undefined;
}
};
_proto.transmux = function transmux(data, keyData, timeOffset, accurateTimeOffset, chunkMeta) {
var result;
if (keyData && keyData.method === 'SAMPLE-AES') {
result = this.transmuxSampleAes(data, keyData, timeOffset, accurateTimeOffset, chunkMeta);
} else {
result = this.transmuxUnencrypted(data, timeOffset, accurateTimeOffset, chunkMeta);
}
return result;
};
_proto.transmuxUnencrypted = function transmuxUnencrypted(data, timeOffset, accurateTimeOffset, chunkMeta) {
var _demux = this.demuxer.demux(data, timeOffset, false),
audioTrack = _demux.audioTrack,
avcTrack = _demux.avcTrack,
id3Track = _demux.id3Track,
textTrack = _demux.textTrack;
var remuxResult = this.remuxer.remux(audioTrack, avcTrack, id3Track, textTrack, timeOffset, accurateTimeOffset, false);
return {
remuxResult: remuxResult,
chunkMeta: chunkMeta
};
};
_proto.transmuxSampleAes = function transmuxSampleAes(data, decryptData, timeOffset, accurateTimeOffset, chunkMeta) {
var _this3 = this;
return this.demuxer.demuxSampleAes(data, decryptData, timeOffset).then(function (demuxResult) {
var remuxResult = _this3.remuxer.remux(demuxResult.audioTrack, demuxResult.avcTrack, demuxResult.id3Track, demuxResult.textTrack, timeOffset, accurateTimeOffset, false);
return {
remuxResult: remuxResult,
chunkMeta: chunkMeta
};
});
};
_proto.configureTransmuxer = function configureTransmuxer(data, transmuxConfig) {
var config = this.config,
observer = this.observer,
typeSupported = this.typeSupported,
vendor = this.vendor;
var audioCodec = transmuxConfig.audioCodec,
defaultInitPts = transmuxConfig.defaultInitPts,
duration = transmuxConfig.duration,
initSegmentData = transmuxConfig.initSegmentData,
videoCodec = transmuxConfig.videoCodec; // probe for content type
var mux;
for (var i = 0, len = muxConfig.length; i < len; i++) {
if (muxConfig[i].demux.probe(data)) {
mux = muxConfig[i];
break;
}
}
if (!mux) {
// If probing previous configs fail, use mp4 passthrough
_utils_logger__WEBPACK_IMPORTED_MODULE_11__["logger"].warn('Failed to find demuxer by probing frag, treating as mp4 passthrough');
mux = {
demux: _demux_mp4demuxer__WEBPACK_IMPORTED_MODULE_4__["default"],
remux: _remux_passthrough_remuxer__WEBPACK_IMPORTED_MODULE_8__["default"]
};
} // so let's check that current remuxer and demuxer are still valid
var demuxer = this.demuxer;
var remuxer = this.remuxer;
var Remuxer = mux.remux;
var Demuxer = mux.demux;
if (!remuxer || !(remuxer instanceof Remuxer)) {
this.remuxer = new Remuxer(observer, config, typeSupported, vendor);
}
if (!demuxer || !(demuxer instanceof Demuxer)) {
this.demuxer = new Demuxer(observer, config, typeSupported);
this.probe = Demuxer.probe;
} // Ensure that muxers are always initialized with an initSegment
this.resetInitSegment(initSegmentData, audioCodec, videoCodec, duration);
this.resetInitialTimestamp(defaultInitPts);
};
_proto.needsProbing = function needsProbing(data, discontinuity, trackSwitch) {
// in case of continuity change, or track switch
// we might switch from content type (AAC container to TS container, or TS to fmp4 for example)
return !this.demuxer || !this.remuxer || discontinuity || trackSwitch;
};
_proto.getDecrypter = function getDecrypter() {
var decrypter = this.decrypter;
if (!decrypter) {
decrypter = this.decrypter = new _crypt_decrypter__WEBPACK_IMPORTED_MODULE_2__["default"](this.observer, this.config);
}
return decrypter;
};
return Transmuxer;
}();
function getEncryptionType(data, decryptData) {
var encryptionType = null;
if (data.byteLength > 0 && decryptData != null && decryptData.key != null && decryptData.iv !== null && decryptData.method != null) {
encryptionType = decryptData;
}
return encryptionType;
}
var emptyResult = function emptyResult(chunkMeta) {
return {
remuxResult: {},
chunkMeta: chunkMeta
};
};
function isPromise(p) {
return 'then' in p && p.then instanceof Function;
}
var TransmuxConfig = function TransmuxConfig(audioCodec, videoCodec, initSegmentData, duration, defaultInitPts) {
this.audioCodec = void 0;
this.videoCodec = void 0;
this.initSegmentData = void 0;
this.duration = void 0;
this.defaultInitPts = void 0;
this.audioCodec = audioCodec;
this.videoCodec = videoCodec;
this.initSegmentData = initSegmentData;
this.duration = duration;
this.defaultInitPts = defaultInitPts;
};
var TransmuxState = function TransmuxState(discontinuity, contiguous, accurateTimeOffset, trackSwitch, timeOffset) {
this.discontinuity = void 0;
this.contiguous = void 0;
this.accurateTimeOffset = void 0;
this.trackSwitch = void 0;
this.timeOffset = void 0;
this.discontinuity = discontinuity;
this.contiguous = contiguous;
this.accurateTimeOffset = accurateTimeOffset;
this.trackSwitch = trackSwitch;
this.timeOffset = timeOffset;
};
/***/ }),
/***/ "./src/demux/tsdemuxer.ts":
/*!********************************!*\
!*** ./src/demux/tsdemuxer.ts ***!
\********************************/
/*! exports provided: discardEPB, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "discardEPB", function() { return discardEPB; });
/* harmony import */ var _adts__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./adts */ "./src/demux/adts.ts");
/* harmony import */ var _mpegaudio__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./mpegaudio */ "./src/demux/mpegaudio.ts");
/* harmony import */ var _exp_golomb__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./exp-golomb */ "./src/demux/exp-golomb.ts");
/* harmony import */ var _id3__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./id3 */ "./src/demux/id3.ts");
/* harmony import */ var _sample_aes__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./sample-aes */ "./src/demux/sample-aes.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/**
* highly optimized TS demuxer:
* parse PAT, PMT
* extract PES packet from audio and video PIDs
* extract AVC/H264 NAL units and AAC/ADTS samples from PES packet
* trigger the remuxer upon parsing completion
* it also tries to workaround as best as it can audio codec switch (HE-AAC to AAC and vice versa), without having to restart the MediaSource.
* it also controls the remuxing process :
* upon discontinuity or level switch detection, it will also notifies the remuxer so that it can reset its state.
*/
// We are using fixed track IDs for driving the MP4 remuxer
// instead of following the TS PIDs.
// There is no reason not to do this and some browsers/SourceBuffer-demuxers
// may not like if there are TrackID "switches"
// See https://github.com/video-dev/hls.js/issues/1331
// Here we are mapping our internal track types to constant MP4 track IDs
// With MSE currently one can only have one track of each, and we are muxing
// whatever video/audio rendition in them.
var RemuxerTrackIdConfig = {
video: 1,
audio: 2,
id3: 3,
text: 4
};
var TSDemuxer = /*#__PURE__*/function () {
function TSDemuxer(observer, config, typeSupported) {
this.observer = void 0;
this.config = void 0;
this.typeSupported = void 0;
this.sampleAes = null;
this.pmtParsed = false;
this.audioCodec = void 0;
this.videoCodec = void 0;
this._duration = 0;
this.aacLastPTS = null;
this._initPTS = null;
this._initDTS = null;
this._pmtId = -1;
this._avcTrack = void 0;
this._audioTrack = void 0;
this._id3Track = void 0;
this._txtTrack = void 0;
this.aacOverFlow = null;
this.avcSample = null;
this.remainderData = null;
this.observer = observer;
this.config = config;
this.typeSupported = typeSupported;
}
TSDemuxer.probe = function probe(data) {
var syncOffset = TSDemuxer.syncOffset(data);
if (syncOffset < 0) {
return false;
} else {
if (syncOffset) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn("MPEG2-TS detected but first sync word found @ offset " + syncOffset + ", junk ahead ?");
}
return true;
}
};
TSDemuxer.syncOffset = function syncOffset(data) {
// scan 1000 first bytes
var scanwindow = Math.min(1000, data.length - 3 * 188);
var i = 0;
while (i < scanwindow) {
// a TS fragment should contain at least 3 TS packets, a PAT, a PMT, and one PID, each starting with 0x47
if (data[i] === 0x47 && data[i + 188] === 0x47 && data[i + 2 * 188] === 0x47) {
return i;
} else {
i++;
}
}
return -1;
}
/**
* Creates a track model internal to demuxer used to drive remuxing input
*
* @param type 'audio' | 'video' | 'id3' | 'text'
* @param duration
* @return TSDemuxer's internal track model
*/
;
TSDemuxer.createTrack = function createTrack(type, duration) {
return {
container: type === 'video' || type === 'audio' ? 'video/mp2t' : undefined,
type: type,
id: RemuxerTrackIdConfig[type],
pid: -1,
inputTimeScale: 90000,
sequenceNumber: 0,
samples: [],
dropped: 0,
duration: type === 'audio' ? duration : undefined
};
}
/**
* Initializes a new init segment on the demuxer/remuxer interface. Needed for discontinuities/track-switches (or at stream start)
* Resets all internal track instances of the demuxer.
*/
;
var _proto = TSDemuxer.prototype;
_proto.resetInitSegment = function resetInitSegment(audioCodec, videoCodec, duration) {
this.pmtParsed = false;
this._pmtId = -1;
this._avcTrack = TSDemuxer.createTrack('video', duration);
this._audioTrack = TSDemuxer.createTrack('audio', duration);
this._id3Track = TSDemuxer.createTrack('id3', duration);
this._txtTrack = TSDemuxer.createTrack('text', duration);
this._audioTrack.isAAC = true; // flush any partial content
this.aacOverFlow = null;
this.aacLastPTS = null;
this.avcSample = null;
this.audioCodec = audioCodec;
this.videoCodec = videoCodec;
this._duration = duration;
};
_proto.resetTimeStamp = function resetTimeStamp() {};
_proto.resetContiguity = function resetContiguity() {
var _audioTrack = this._audioTrack,
_avcTrack = this._avcTrack,
_id3Track = this._id3Track;
if (_audioTrack) {
_audioTrack.pesData = null;
}
if (_avcTrack) {
_avcTrack.pesData = null;
}
if (_id3Track) {
_id3Track.pesData = null;
}
this.aacOverFlow = null;
this.aacLastPTS = null;
};
_proto.demux = function demux(data, timeOffset, isSampleAes, flush) {
if (isSampleAes === void 0) {
isSampleAes = false;
}
if (flush === void 0) {
flush = false;
}
if (!isSampleAes) {
this.sampleAes = null;
}
var pes;
var avcTrack = this._avcTrack;
var audioTrack = this._audioTrack;
var id3Track = this._id3Track;
var avcId = avcTrack.pid;
var avcData = avcTrack.pesData;
var audioId = audioTrack.pid;
var id3Id = id3Track.pid;
var audioData = audioTrack.pesData;
var id3Data = id3Track.pesData;
var unknownPIDs = false;
var pmtParsed = this.pmtParsed;
var pmtId = this._pmtId;
var len = data.length;
if (this.remainderData) {
data = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_6__["appendUint8Array"])(this.remainderData, data);
len = data.length;
this.remainderData = null;
}
if (len < 188 && !flush) {
this.remainderData = data;
return {
audioTrack: audioTrack,
avcTrack: avcTrack,
id3Track: id3Track,
textTrack: this._txtTrack
};
}
var syncOffset = Math.max(0, TSDemuxer.syncOffset(data));
len -= (len + syncOffset) % 188;
if (len < data.byteLength && !flush) {
this.remainderData = new Uint8Array(data.buffer, len, data.buffer.byteLength - len);
} // loop through TS packets
for (var start = syncOffset; start < len; start += 188) {
if (data[start] === 0x47) {
var stt = !!(data[start + 1] & 0x40); // pid is a 13-bit field starting at the last bit of TS[1]
var pid = ((data[start + 1] & 0x1f) << 8) + data[start + 2];
var atf = (data[start + 3] & 0x30) >> 4; // if an adaption field is present, its length is specified by the fifth byte of the TS packet header.
var offset = void 0;
if (atf > 1) {
offset = start + 5 + data[start + 4]; // continue if there is only adaptation field
if (offset === start + 188) {
continue;
}
} else {
offset = start + 4;
}
switch (pid) {
case avcId:
if (stt) {
if (avcData && (pes = parsePES(avcData))) {
this.parseAVCPES(pes, false);
}
avcData = {
data: [],
size: 0
};
}
if (avcData) {
avcData.data.push(data.subarray(offset, start + 188));
avcData.size += start + 188 - offset;
}
break;
case audioId:
if (stt) {
if (audioData && (pes = parsePES(audioData))) {
if (audioTrack.isAAC) {
this.parseAACPES(pes);
} else {
this.parseMPEGPES(pes);
}
}
audioData = {
data: [],
size: 0
};
}
if (audioData) {
audioData.data.push(data.subarray(offset, start + 188));
audioData.size += start + 188 - offset;
}
break;
case id3Id:
if (stt) {
if (id3Data && (pes = parsePES(id3Data))) {
this.parseID3PES(pes);
}
id3Data = {
data: [],
size: 0
};
}
if (id3Data) {
id3Data.data.push(data.subarray(offset, start + 188));
id3Data.size += start + 188 - offset;
}
break;
case 0:
if (stt) {
offset += data[offset] + 1;
}
pmtId = this._pmtId = parsePAT(data, offset);
break;
case pmtId:
{
if (stt) {
offset += data[offset] + 1;
}
var parsedPIDs = parsePMT(data, offset, this.typeSupported.mpeg === true || this.typeSupported.mp3 === true, isSampleAes); // only update track id if track PID found while parsing PMT
// this is to avoid resetting the PID to -1 in case
// track PID transiently disappears from the stream
// this could happen in case of transient missing audio samples for example
// NOTE this is only the PID of the track as found in TS,
// but we are not using this for MP4 track IDs.
avcId = parsedPIDs.avc;
if (avcId > 0) {
avcTrack.pid = avcId;
}
audioId = parsedPIDs.audio;
if (audioId > 0) {
audioTrack.pid = audioId;
audioTrack.isAAC = parsedPIDs.isAAC;
}
id3Id = parsedPIDs.id3;
if (id3Id > 0) {
id3Track.pid = id3Id;
}
if (unknownPIDs && !pmtParsed) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log('reparse from beginning');
unknownPIDs = false; // we set it to -188, the += 188 in the for loop will reset start to 0
start = syncOffset - 188;
}
pmtParsed = this.pmtParsed = true;
break;
}
case 17:
case 0x1fff:
break;
default:
unknownPIDs = true;
break;
}
} else {
this.observer.emit(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].ERROR, _events__WEBPACK_IMPORTED_MODULE_5__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_8__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_8__["ErrorDetails"].FRAG_PARSING_ERROR,
fatal: false,
reason: 'TS packet did not start with 0x47'
});
}
}
avcTrack.pesData = avcData;
audioTrack.pesData = audioData;
id3Track.pesData = id3Data;
var demuxResult = {
audioTrack: audioTrack,
avcTrack: avcTrack,
id3Track: id3Track,
textTrack: this._txtTrack
};
this.extractRemainingSamples(demuxResult);
return demuxResult;
};
_proto.flush = function flush() {
var remainderData = this.remainderData;
this.remainderData = null;
var result;
if (remainderData) {
result = this.demux(remainderData, -1, false, true);
} else {
result = {
audioTrack: this._audioTrack,
avcTrack: this._avcTrack,
textTrack: this._txtTrack,
id3Track: this._id3Track
};
}
this.extractRemainingSamples(result);
if (this.sampleAes) {
return this.decrypt(result, this.sampleAes);
}
return result;
};
_proto.extractRemainingSamples = function extractRemainingSamples(demuxResult) {
var audioTrack = demuxResult.audioTrack,
avcTrack = demuxResult.avcTrack,
id3Track = demuxResult.id3Track;
var avcData = avcTrack.pesData;
var audioData = audioTrack.pesData;
var id3Data = id3Track.pesData; // try to parse last PES packets
var pes;
if (avcData && (pes = parsePES(avcData))) {
this.parseAVCPES(pes, true);
avcTrack.pesData = null;
} else {
// either avcData null or PES truncated, keep it for next frag parsing
avcTrack.pesData = avcData;
}
if (audioData && (pes = parsePES(audioData))) {
if (audioTrack.isAAC) {
this.parseAACPES(pes);
} else {
this.parseMPEGPES(pes);
}
audioTrack.pesData = null;
} else {
if (audioData !== null && audioData !== void 0 && audioData.size) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log('last AAC PES packet truncated,might overlap between fragments');
} // either audioData null or PES truncated, keep it for next frag parsing
audioTrack.pesData = audioData;
}
if (id3Data && (pes = parsePES(id3Data))) {
this.parseID3PES(pes);
id3Track.pesData = null;
} else {
// either id3Data null or PES truncated, keep it for next frag parsing
id3Track.pesData = id3Data;
}
};
_proto.demuxSampleAes = function demuxSampleAes(data, keyData, timeOffset) {
var demuxResult = this.demux(data, timeOffset, true);
var sampleAes = this.sampleAes = new _sample_aes__WEBPACK_IMPORTED_MODULE_4__["default"](this.observer, this.config, keyData);
return this.decrypt(demuxResult, sampleAes);
};
_proto.decrypt = function decrypt(demuxResult, sampleAes) {
return new Promise(function (resolve) {
var audioTrack = demuxResult.audioTrack,
avcTrack = demuxResult.avcTrack;
if (audioTrack.samples && audioTrack.isAAC) {
sampleAes.decryptAacSamples(audioTrack.samples, 0, function () {
if (avcTrack.samples) {
sampleAes.decryptAvcSamples(avcTrack.samples, 0, 0, function () {
resolve(demuxResult);
});
} else {
resolve(demuxResult);
}
});
} else if (avcTrack.samples) {
sampleAes.decryptAvcSamples(avcTrack.samples, 0, 0, function () {
resolve(demuxResult);
});
}
});
};
_proto.destroy = function destroy() {
this._initPTS = this._initDTS = null;
this._duration = 0;
};
_proto.parseAVCPES = function parseAVCPES(pes, last) {
var _this = this;
var track = this._avcTrack;
var units = this.parseAVCNALu(pes.data);
var debug = false;
var avcSample = this.avcSample;
var push;
var spsfound = false; // free pes.data to save up some memory
pes.data = null; // if new NAL units found and last sample still there, let's push ...
// this helps parsing streams with missing AUD (only do this if AUD never found)
if (avcSample && units.length && !track.audFound) {
pushAccessUnit(avcSample, track);
avcSample = this.avcSample = createAVCSample(false, pes.pts, pes.dts, '');
}
units.forEach(function (unit) {
switch (unit.type) {
// NDR
case 1:
{
push = true;
if (!avcSample) {
avcSample = _this.avcSample = createAVCSample(true, pes.pts, pes.dts, '');
}
if (debug) {
avcSample.debug += 'NDR ';
}
avcSample.frame = true;
var data = unit.data; // only check slice type to detect KF in case SPS found in same packet (any keyframe is preceded by SPS ...)
if (spsfound && data.length > 4) {
// retrieve slice type by parsing beginning of NAL unit (follow H264 spec, slice_header definition) to detect keyframe embedded in NDR
var sliceType = new _exp_golomb__WEBPACK_IMPORTED_MODULE_2__["default"](data).readSliceType(); // 2 : I slice, 4 : SI slice, 7 : I slice, 9: SI slice
// SI slice : A slice that is coded using intra prediction only and using quantisation of the prediction samples.
// An SI slice can be coded such that its decoded samples can be constructed identically to an SP slice.
// I slice: A slice that is not an SI slice that is decoded using intra prediction only.
// if (sliceType === 2 || sliceType === 7) {
if (sliceType === 2 || sliceType === 4 || sliceType === 7 || sliceType === 9) {
avcSample.key = true;
}
}
break; // IDR
}
case 5:
push = true; // handle PES not starting with AUD
if (!avcSample) {
avcSample = _this.avcSample = createAVCSample(true, pes.pts, pes.dts, '');
}
if (debug) {
avcSample.debug += 'IDR ';
}
avcSample.key = true;
avcSample.frame = true;
break;
// SEI
case 6:
{
push = true;
if (debug && avcSample) {
avcSample.debug += 'SEI ';
}
var expGolombDecoder = new _exp_golomb__WEBPACK_IMPORTED_MODULE_2__["default"](discardEPB(unit.data)); // skip frameType
expGolombDecoder.readUByte();
var payloadType = 0;
var payloadSize = 0;
var endOfCaptions = false;
var b = 0;
while (!endOfCaptions && expGolombDecoder.bytesAvailable > 1) {
payloadType = 0;
do {
b = expGolombDecoder.readUByte();
payloadType += b;
} while (b === 0xff); // Parse payload size.
payloadSize = 0;
do {
b = expGolombDecoder.readUByte();
payloadSize += b;
} while (b === 0xff); // TODO: there can be more than one payload in an SEI packet...
// TODO: need to read type and size in a while loop to get them all
if (payloadType === 4 && expGolombDecoder.bytesAvailable !== 0) {
endOfCaptions = true;
var countryCode = expGolombDecoder.readUByte();
if (countryCode === 181) {
var providerCode = expGolombDecoder.readUShort();
if (providerCode === 49) {
var userStructure = expGolombDecoder.readUInt();
if (userStructure === 0x47413934) {
var userDataType = expGolombDecoder.readUByte(); // Raw CEA-608 bytes wrapped in CEA-708 packet
if (userDataType === 3) {
var firstByte = expGolombDecoder.readUByte();
var secondByte = expGolombDecoder.readUByte();
var totalCCs = 31 & firstByte;
var byteArray = [firstByte, secondByte];
for (var i = 0; i < totalCCs; i++) {
// 3 bytes per CC
byteArray.push(expGolombDecoder.readUByte());
byteArray.push(expGolombDecoder.readUByte());
byteArray.push(expGolombDecoder.readUByte());
}
insertSampleInOrder(_this._txtTrack.samples, {
type: 3,
pts: pes.pts,
bytes: byteArray
});
}
}
}
}
} else if (payloadType === 5 && expGolombDecoder.bytesAvailable !== 0) {
endOfCaptions = true;
if (payloadSize > 16) {
var uuidStrArray = [];
for (var _i = 0; _i < 16; _i++) {
uuidStrArray.push(expGolombDecoder.readUByte().toString(16));
if (_i === 3 || _i === 5 || _i === 7 || _i === 9) {
uuidStrArray.push('-');
}
}
var length = payloadSize - 16;
var userDataPayloadBytes = new Uint8Array(length);
for (var _i2 = 0; _i2 < length; _i2++) {
userDataPayloadBytes[_i2] = expGolombDecoder.readUByte();
}
insertSampleInOrder(_this._txtTrack.samples, {
pts: pes.pts,
payloadType: payloadType,
uuid: uuidStrArray.join(''),
userData: Object(_id3__WEBPACK_IMPORTED_MODULE_3__["utf8ArrayToStr"])(userDataPayloadBytes),
userDataBytes: userDataPayloadBytes
});
}
} else if (payloadSize < expGolombDecoder.bytesAvailable) {
for (var _i3 = 0; _i3 < payloadSize; _i3++) {
expGolombDecoder.readUByte();
}
}
}
break; // SPS
}
case 7:
push = true;
spsfound = true;
if (debug && avcSample) {
avcSample.debug += 'SPS ';
}
if (!track.sps) {
var _expGolombDecoder = new _exp_golomb__WEBPACK_IMPORTED_MODULE_2__["default"](unit.data);
var config = _expGolombDecoder.readSPS();
track.width = config.width;
track.height = config.height;
track.pixelRatio = config.pixelRatio; // TODO: `track.sps` is defined as a `number[]`, but we're setting it to a `Uint8Array[]`.
track.sps = [unit.data];
track.duration = _this._duration;
var codecarray = unit.data.subarray(1, 4);
var codecstring = 'avc1.';
for (var _i4 = 0; _i4 < 3; _i4++) {
var h = codecarray[_i4].toString(16);
if (h.length < 2) {
h = '0' + h;
}
codecstring += h;
}
track.codec = codecstring;
}
break;
// PPS
case 8:
push = true;
if (debug && avcSample) {
avcSample.debug += 'PPS ';
}
if (!track.pps) {
// TODO: `track.pss` is defined as a `number[]`, but we're setting it to a `Uint8Array[]`.
track.pps = [unit.data];
}
break;
// AUD
case 9:
push = false;
track.audFound = true;
if (avcSample) {
pushAccessUnit(avcSample, track);
}
avcSample = _this.avcSample = createAVCSample(false, pes.pts, pes.dts, debug ? 'AUD ' : '');
break;
// Filler Data
case 12:
push = false;
break;
default:
push = false;
if (avcSample) {
avcSample.debug += 'unknown NAL ' + unit.type + ' ';
}
break;
}
if (avcSample && push) {
var _units = avcSample.units;
_units.push(unit);
}
}); // if last PES packet, push samples
if (last && avcSample) {
pushAccessUnit(avcSample, track);
this.avcSample = null;
}
};
_proto.getLastNalUnit = function getLastNalUnit() {
var _avcSample;
var avcSample = this.avcSample;
var lastUnit; // try to fallback to previous sample if current one is empty
if (!avcSample || avcSample.units.length === 0) {
var samples = this._avcTrack.samples;
avcSample = samples[samples.length - 1];
}
if ((_avcSample = avcSample) !== null && _avcSample !== void 0 && _avcSample.units) {
var units = avcSample.units;
lastUnit = units[units.length - 1];
}
return lastUnit;
};
_proto.parseAVCNALu = function parseAVCNALu(array) {
var len = array.byteLength;
var track = this._avcTrack;
var state = track.naluState || 0;
var lastState = state;
var units = [];
var i = 0;
var value;
var overflow;
var unitType;
var lastUnitStart = -1;
var lastUnitType = 0; // logger.log('PES:' + Hex.hexDump(array));
if (state === -1) {
// special use case where we found 3 or 4-byte start codes exactly at the end of previous PES packet
lastUnitStart = 0; // NALu type is value read from offset 0
lastUnitType = array[0] & 0x1f;
state = 0;
i = 1;
}
while (i < len) {
value = array[i++]; // optimization. state 0 and 1 are the predominant case. let's handle them outside of the switch/case
if (!state) {
state = value ? 0 : 1;
continue;
}
if (state === 1) {
state = value ? 0 : 2;
continue;
} // here we have state either equal to 2 or 3
if (!value) {
state = 3;
} else if (value === 1) {
if (lastUnitStart >= 0) {
var unit = {
data: array.subarray(lastUnitStart, i - state - 1),
type: lastUnitType
}; // logger.log('pushing NALU, type/size:' + unit.type + '/' + unit.data.byteLength);
units.push(unit);
} else {
// lastUnitStart is undefined => this is the first start code found in this PES packet
// first check if start code delimiter is overlapping between 2 PES packets,
// ie it started in last packet (lastState not zero)
// and ended at the beginning of this PES packet (i <= 4 - lastState)
var lastUnit = this.getLastNalUnit();
if (lastUnit) {
if (lastState && i <= 4 - lastState) {
// start delimiter overlapping between PES packets
// strip start delimiter bytes from the end of last NAL unit
// check if lastUnit had a state different from zero
if (lastUnit.state) {
// strip last bytes
lastUnit.data = lastUnit.data.subarray(0, lastUnit.data.byteLength - lastState);
}
} // If NAL units are not starting right at the beginning of the PES packet, push preceding data into previous NAL unit.
overflow = i - state - 1;
if (overflow > 0) {
// logger.log('first NALU found with overflow:' + overflow);
var tmp = new Uint8Array(lastUnit.data.byteLength + overflow);
tmp.set(lastUnit.data, 0);
tmp.set(array.subarray(0, overflow), lastUnit.data.byteLength);
lastUnit.data = tmp;
}
}
} // check if we can read unit type
if (i < len) {
unitType = array[i] & 0x1f; // logger.log('find NALU @ offset:' + i + ',type:' + unitType);
lastUnitStart = i;
lastUnitType = unitType;
state = 0;
} else {
// not enough byte to read unit type. let's read it on next PES parsing
state = -1;
}
} else {
state = 0;
}
}
if (lastUnitStart >= 0 && state >= 0) {
var _unit = {
data: array.subarray(lastUnitStart, len),
type: lastUnitType,
state: state
};
units.push(_unit); // logger.log('pushing NALU, type/size/state:' + unit.type + '/' + unit.data.byteLength + '/' + state);
} // no NALu found
if (units.length === 0) {
// append pes.data to previous NAL unit
var _lastUnit = this.getLastNalUnit();
if (_lastUnit) {
var _tmp = new Uint8Array(_lastUnit.data.byteLength + array.byteLength);
_tmp.set(_lastUnit.data, 0);
_tmp.set(array, _lastUnit.data.byteLength);
_lastUnit.data = _tmp;
}
}
track.naluState = state;
return units;
};
_proto.parseAACPES = function parseAACPES(pes) {
var startOffset = 0;
var track = this._audioTrack;
var aacLastPTS = this.aacLastPTS;
var aacOverFlow = this.aacOverFlow;
var data = pes.data;
if (aacOverFlow) {
var tmp = new Uint8Array(aacOverFlow.byteLength + data.byteLength);
tmp.set(aacOverFlow, 0);
tmp.set(data, aacOverFlow.byteLength); // logger.log(`AAC: append overflowing ${aacOverFlow.byteLength} bytes to beginning of new PES`);
data = tmp;
} // look for ADTS header (0xFFFx)
var offset;
var len;
for (offset = startOffset, len = data.length; offset < len - 1; offset++) {
if (_adts__WEBPACK_IMPORTED_MODULE_0__["isHeader"](data, offset)) {
break;
}
} // if ADTS header does not start straight from the beginning of the PES payload, raise an error
if (offset) {
var reason;
var fatal;
if (offset < len - 1) {
reason = "AAC PES did not start with ADTS header,offset:" + offset;
fatal = false;
} else {
reason = 'no ADTS header found in AAC PES';
fatal = true;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn("parsing error:" + reason);
this.observer.emit(_events__WEBPACK_IMPORTED_MODULE_5__["Events"].ERROR, _events__WEBPACK_IMPORTED_MODULE_5__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_8__["ErrorTypes"].MEDIA_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_8__["ErrorDetails"].FRAG_PARSING_ERROR,
fatal: fatal,
reason: reason
});
if (fatal) {
return;
}
}
_adts__WEBPACK_IMPORTED_MODULE_0__["initTrackConfig"](track, this.observer, data, offset, this.audioCodec);
var frameIndex = 0;
var frameDuration = _adts__WEBPACK_IMPORTED_MODULE_0__["getFrameDuration"](track.samplerate); // if last AAC frame is overflowing, we should ensure timestamps are contiguous:
// first sample PTS should be equal to last sample PTS + frameDuration
var pts;
if (pes.pts !== undefined) {
pts = pes.pts;
} else if (aacLastPTS !== null) {
pts = aacLastPTS;
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn('[tsdemuxer]: AAC PES unknown PTS');
return;
}
if (aacOverFlow && aacLastPTS !== null) {
var newPTS = aacLastPTS + frameDuration;
if (Math.abs(newPTS - pts) > 1) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log("[tsdemuxer]: AAC: align PTS for overlapping frames by " + Math.round((newPTS - pts) / 90));
pts = newPTS;
}
} // scan for aac samples
var stamp = null;
while (offset < len) {
if (_adts__WEBPACK_IMPORTED_MODULE_0__["isHeader"](data, offset)) {
if (offset + 5 < len) {
var frame = _adts__WEBPACK_IMPORTED_MODULE_0__["appendFrame"](track, data, offset, pts, frameIndex);
if (frame) {
offset += frame.length;
stamp = frame.sample.pts;
frameIndex++;
continue;
}
} // We are at an ADTS header, but do not have enough data for a frame
// Remaining data will be added to aacOverFlow
break;
} else {
// nothing found, keep looking
offset++;
}
}
this.aacOverFlow = offset < len ? data.subarray(offset, len) : null;
this.aacLastPTS = stamp;
};
_proto.parseMPEGPES = function parseMPEGPES(pes) {
var data = pes.data;
var length = data.length;
var frameIndex = 0;
var offset = 0;
var pts = pes.pts;
if (pts === undefined) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn('[tsdemuxer]: MPEG PES unknown PTS');
return;
}
while (offset < length) {
if (_mpegaudio__WEBPACK_IMPORTED_MODULE_1__["isHeader"](data, offset)) {
var frame = _mpegaudio__WEBPACK_IMPORTED_MODULE_1__["appendFrame"](this._audioTrack, data, offset, pts, frameIndex);
if (frame) {
offset += frame.length;
frameIndex++;
} else {
// logger.log('Unable to parse Mpeg audio frame');
break;
}
} else {
// nothing found, keep looking
offset++;
}
}
};
_proto.parseID3PES = function parseID3PES(pes) {
if (pes.pts === undefined) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn('[tsdemuxer]: ID3 PES unknown PTS');
return;
}
this._id3Track.samples.push(pes);
};
return TSDemuxer;
}();
TSDemuxer.minProbeByteLength = 188;
function createAVCSample(key, pts, dts, debug) {
return {
key: key,
frame: false,
pts: pts,
dts: dts,
units: [],
debug: debug,
length: 0
};
}
function parsePAT(data, offset) {
// skip the PSI header and parse the first PMT entry
return (data[offset + 10] & 0x1f) << 8 | data[offset + 11]; // logger.log('PMT PID:' + this._pmtId);
}
function parsePMT(data, offset, mpegSupported, isSampleAes) {
var result = {
audio: -1,
avc: -1,
id3: -1,
isAAC: true
};
var sectionLength = (data[offset + 1] & 0x0f) << 8 | data[offset + 2];
var tableEnd = offset + 3 + sectionLength - 4; // to determine where the table is, we have to figure out how
// long the program info descriptors are
var programInfoLength = (data[offset + 10] & 0x0f) << 8 | data[offset + 11]; // advance the offset to the first entry in the mapping table
offset += 12 + programInfoLength;
while (offset < tableEnd) {
var pid = (data[offset + 1] & 0x1f) << 8 | data[offset + 2];
switch (data[offset]) {
case 0xcf:
// SAMPLE-AES AAC
if (!isSampleAes) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log('ADTS AAC with AES-128-CBC frame encryption found in unencrypted stream');
break;
}
/* falls through */
case 0x0f:
// ISO/IEC 13818-7 ADTS AAC (MPEG-2 lower bit-rate audio)
// logger.log('AAC PID:' + pid);
if (result.audio === -1) {
result.audio = pid;
}
break;
// Packetized metadata (ID3)
case 0x15:
// logger.log('ID3 PID:' + pid);
if (result.id3 === -1) {
result.id3 = pid;
}
break;
case 0xdb:
// SAMPLE-AES AVC
if (!isSampleAes) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log('H.264 with AES-128-CBC slice encryption found in unencrypted stream');
break;
}
/* falls through */
case 0x1b:
// ITU-T Rec. H.264 and ISO/IEC 14496-10 (lower bit-rate video)
// logger.log('AVC PID:' + pid);
if (result.avc === -1) {
result.avc = pid;
}
break;
// ISO/IEC 11172-3 (MPEG-1 audio)
// or ISO/IEC 13818-3 (MPEG-2 halved sample rate audio)
case 0x03:
case 0x04:
// logger.log('MPEG PID:' + pid);
if (!mpegSupported) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log('MPEG audio found, not supported in this browser');
} else if (result.audio === -1) {
result.audio = pid;
result.isAAC = false;
}
break;
case 0x24:
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn('Unsupported HEVC stream type found');
break;
default:
// logger.log('unknown stream type:' + data[offset]);
break;
} // move to the next table entry
// skip past the elementary stream descriptors, if present
offset += ((data[offset + 3] & 0x0f) << 8 | data[offset + 4]) + 5;
}
return result;
}
function parsePES(stream) {
var i = 0;
var frag;
var pesLen;
var pesHdrLen;
var pesPts;
var pesDts;
var data = stream.data; // safety check
if (!stream || stream.size === 0) {
return null;
} // we might need up to 19 bytes to read PES header
// if first chunk of data is less than 19 bytes, let's merge it with following ones until we get 19 bytes
// usually only one merge is needed (and this is rare ...)
while (data[0].length < 19 && data.length > 1) {
var newData = new Uint8Array(data[0].length + data[1].length);
newData.set(data[0]);
newData.set(data[1], data[0].length);
data[0] = newData;
data.splice(1, 1);
} // retrieve PTS/DTS from first fragment
frag = data[0];
var pesPrefix = (frag[0] << 16) + (frag[1] << 8) + frag[2];
if (pesPrefix === 1) {
pesLen = (frag[4] << 8) + frag[5]; // if PES parsed length is not zero and greater than total received length, stop parsing. PES might be truncated
// minus 6 : PES header size
if (pesLen && pesLen > stream.size - 6) {
return null;
}
var pesFlags = frag[7];
if (pesFlags & 0xc0) {
/* PES header described here : http://dvd.sourceforge.net/dvdinfo/pes-hdr.html
as PTS / DTS is 33 bit we cannot use bitwise operator in JS,
as Bitwise operators treat their operands as a sequence of 32 bits */
pesPts = (frag[9] & 0x0e) * 536870912 + // 1 << 29
(frag[10] & 0xff) * 4194304 + // 1 << 22
(frag[11] & 0xfe) * 16384 + // 1 << 14
(frag[12] & 0xff) * 128 + // 1 << 7
(frag[13] & 0xfe) / 2;
if (pesFlags & 0x40) {
pesDts = (frag[14] & 0x0e) * 536870912 + // 1 << 29
(frag[15] & 0xff) * 4194304 + // 1 << 22
(frag[16] & 0xfe) * 16384 + // 1 << 14
(frag[17] & 0xff) * 128 + // 1 << 7
(frag[18] & 0xfe) / 2;
if (pesPts - pesDts > 60 * 90000) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].warn(Math.round((pesPts - pesDts) / 90000) + "s delta between PTS and DTS, align them");
pesPts = pesDts;
}
} else {
pesDts = pesPts;
}
}
pesHdrLen = frag[8]; // 9 bytes : 6 bytes for PES header + 3 bytes for PES extension
var payloadStartOffset = pesHdrLen + 9;
if (stream.size <= payloadStartOffset) {
return null;
}
stream.size -= payloadStartOffset; // reassemble PES packet
var pesData = new Uint8Array(stream.size);
for (var j = 0, dataLen = data.length; j < dataLen; j++) {
frag = data[j];
var len = frag.byteLength;
if (payloadStartOffset) {
if (payloadStartOffset > len) {
// trim full frag if PES header bigger than frag
payloadStartOffset -= len;
continue;
} else {
// trim partial frag if PES header smaller than frag
frag = frag.subarray(payloadStartOffset);
len -= payloadStartOffset;
payloadStartOffset = 0;
}
}
pesData.set(frag, i);
i += len;
}
if (pesLen) {
// payload size : remove PES header + PES extension
pesLen -= pesHdrLen + 3;
}
return {
data: pesData,
pts: pesPts,
dts: pesDts,
len: pesLen
};
}
return null;
}
function pushAccessUnit(avcSample, avcTrack) {
if (avcSample.units.length && avcSample.frame) {
// if sample does not have PTS/DTS, patch with last sample PTS/DTS
if (avcSample.pts === undefined) {
var samples = avcTrack.samples;
var nbSamples = samples.length;
if (nbSamples) {
var lastSample = samples[nbSamples - 1];
avcSample.pts = lastSample.pts;
avcSample.dts = lastSample.dts;
} else {
// dropping samples, no timestamp found
avcTrack.dropped++;
return;
}
}
avcTrack.samples.push(avcSample);
}
if (avcSample.debug.length) {
_utils_logger__WEBPACK_IMPORTED_MODULE_7__["logger"].log(avcSample.pts + '/' + avcSample.dts + ':' + avcSample.debug);
}
}
function insertSampleInOrder(arr, data) {
var len = arr.length;
if (len > 0) {
if (data.pts >= arr[len - 1].pts) {
arr.push(data);
} else {
for (var pos = len - 1; pos >= 0; pos--) {
if (data.pts < arr[pos].pts) {
arr.splice(pos, 0, data);
break;
}
}
}
} else {
arr.push(data);
}
}
/**
* remove Emulation Prevention bytes from a RBSP
*/
function discardEPB(data) {
var length = data.byteLength;
var EPBPositions = [];
var i = 1; // Find all `Emulation Prevention Bytes`
while (i < length - 2) {
if (data[i] === 0 && data[i + 1] === 0 && data[i + 2] === 0x03) {
EPBPositions.push(i + 2);
i += 2;
} else {
i++;
}
} // If no Emulation Prevention Bytes were found just return the original
// array
if (EPBPositions.length === 0) {
return data;
} // Create a new array to hold the NAL unit data
var newLength = length - EPBPositions.length;
var newData = new Uint8Array(newLength);
var sourceIndex = 0;
for (i = 0; i < newLength; sourceIndex++, i++) {
if (sourceIndex === EPBPositions[0]) {
// Skip this byte
sourceIndex++; // Remove this position index
EPBPositions.shift();
}
newData[i] = data[sourceIndex];
}
return newData;
}
/* harmony default export */ __webpack_exports__["default"] = (TSDemuxer);
/***/ }),
/***/ "./src/empty.js":
/*!**********************!*\
!*** ./src/empty.js ***!
\**********************/
/*! no static exports found */
/***/ (function(module, exports) {
// This file is inserted as a shim for modules which we do not want to include into the distro.
// This replacement is done in the "resolve" section of the webpack config.
module.exports = undefined;
/***/ }),
/***/ "./src/errors.ts":
/*!***********************!*\
!*** ./src/errors.ts ***!
\***********************/
/*! exports provided: ErrorTypes, ErrorDetails */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ErrorTypes", function() { return ErrorTypes; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ErrorDetails", function() { return ErrorDetails; });
var ErrorTypes;
/**
* @enum {ErrorDetails}
* @typedef {string} ErrorDetail
*/
(function (ErrorTypes) {
ErrorTypes["NETWORK_ERROR"] = "networkError";
ErrorTypes["MEDIA_ERROR"] = "mediaError";
ErrorTypes["KEY_SYSTEM_ERROR"] = "keySystemError";
ErrorTypes["MUX_ERROR"] = "muxError";
ErrorTypes["OTHER_ERROR"] = "otherError";
})(ErrorTypes || (ErrorTypes = {}));
var ErrorDetails;
(function (ErrorDetails) {
ErrorDetails["KEY_SYSTEM_NO_KEYS"] = "keySystemNoKeys";
ErrorDetails["KEY_SYSTEM_NO_ACCESS"] = "keySystemNoAccess";
ErrorDetails["KEY_SYSTEM_NO_SESSION"] = "keySystemNoSession";
ErrorDetails["KEY_SYSTEM_LICENSE_REQUEST_FAILED"] = "keySystemLicenseRequestFailed";
ErrorDetails["KEY_SYSTEM_NO_INIT_DATA"] = "keySystemNoInitData";
ErrorDetails["MANIFEST_LOAD_ERROR"] = "manifestLoadError";
ErrorDetails["MANIFEST_LOAD_TIMEOUT"] = "manifestLoadTimeOut";
ErrorDetails["MANIFEST_PARSING_ERROR"] = "manifestParsingError";
ErrorDetails["MANIFEST_INCOMPATIBLE_CODECS_ERROR"] = "manifestIncompatibleCodecsError";
ErrorDetails["LEVEL_EMPTY_ERROR"] = "levelEmptyError";
ErrorDetails["LEVEL_LOAD_ERROR"] = "levelLoadError";
ErrorDetails["LEVEL_LOAD_TIMEOUT"] = "levelLoadTimeOut";
ErrorDetails["LEVEL_SWITCH_ERROR"] = "levelSwitchError";
ErrorDetails["AUDIO_TRACK_LOAD_ERROR"] = "audioTrackLoadError";
ErrorDetails["AUDIO_TRACK_LOAD_TIMEOUT"] = "audioTrackLoadTimeOut";
ErrorDetails["SUBTITLE_LOAD_ERROR"] = "subtitleTrackLoadError";
ErrorDetails["SUBTITLE_TRACK_LOAD_TIMEOUT"] = "subtitleTrackLoadTimeOut";
ErrorDetails["FRAG_LOAD_ERROR"] = "fragLoadError";
ErrorDetails["FRAG_LOAD_TIMEOUT"] = "fragLoadTimeOut";
ErrorDetails["FRAG_DECRYPT_ERROR"] = "fragDecryptError";
ErrorDetails["FRAG_PARSING_ERROR"] = "fragParsingError";
ErrorDetails["REMUX_ALLOC_ERROR"] = "remuxAllocError";
ErrorDetails["KEY_LOAD_ERROR"] = "keyLoadError";
ErrorDetails["KEY_LOAD_TIMEOUT"] = "keyLoadTimeOut";
ErrorDetails["BUFFER_ADD_CODEC_ERROR"] = "bufferAddCodecError";
ErrorDetails["BUFFER_INCOMPATIBLE_CODECS_ERROR"] = "bufferIncompatibleCodecsError";
ErrorDetails["BUFFER_APPEND_ERROR"] = "bufferAppendError";
ErrorDetails["BUFFER_APPENDING_ERROR"] = "bufferAppendingError";
ErrorDetails["BUFFER_STALLED_ERROR"] = "bufferStalledError";
ErrorDetails["BUFFER_FULL_ERROR"] = "bufferFullError";
ErrorDetails["BUFFER_SEEK_OVER_HOLE"] = "bufferSeekOverHole";
ErrorDetails["BUFFER_NUDGE_ON_STALL"] = "bufferNudgeOnStall";
ErrorDetails["INTERNAL_EXCEPTION"] = "internalException";
ErrorDetails["INTERNAL_ABORTED"] = "aborted";
ErrorDetails["UNKNOWN"] = "unknown";
})(ErrorDetails || (ErrorDetails = {}));
/***/ }),
/***/ "./src/events.ts":
/*!***********************!*\
!*** ./src/events.ts ***!
\***********************/
/*! exports provided: Events */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Events", function() { return Events; });
/**
* @readonly
* @enum {string}
*/
var Events;
(function (Events) {
Events["MEDIA_ATTACHING"] = "hlsMediaAttaching";
Events["MEDIA_ATTACHED"] = "hlsMediaAttached";
Events["MEDIA_DETACHING"] = "hlsMediaDetaching";
Events["MEDIA_DETACHED"] = "hlsMediaDetached";
Events["BUFFER_RESET"] = "hlsBufferReset";
Events["BUFFER_CODECS"] = "hlsBufferCodecs";
Events["BUFFER_CREATED"] = "hlsBufferCreated";
Events["BUFFER_APPENDING"] = "hlsBufferAppending";
Events["BUFFER_APPENDED"] = "hlsBufferAppended";
Events["BUFFER_EOS"] = "hlsBufferEos";
Events["BUFFER_FLUSHING"] = "hlsBufferFlushing";
Events["BUFFER_FLUSHED"] = "hlsBufferFlushed";
Events["MANIFEST_LOADING"] = "hlsManifestLoading";
Events["MANIFEST_LOADED"] = "hlsManifestLoaded";
Events["MANIFEST_PARSED"] = "hlsManifestParsed";
Events["LEVEL_SWITCHING"] = "hlsLevelSwitching";
Events["LEVEL_SWITCHED"] = "hlsLevelSwitched";
Events["LEVEL_LOADING"] = "hlsLevelLoading";
Events["LEVEL_LOADED"] = "hlsLevelLoaded";
Events["LEVEL_UPDATED"] = "hlsLevelUpdated";
Events["LEVEL_PTS_UPDATED"] = "hlsLevelPtsUpdated";
Events["LEVELS_UPDATED"] = "hlsLevelsUpdated";
Events["AUDIO_TRACKS_UPDATED"] = "hlsAudioTracksUpdated";
Events["AUDIO_TRACK_SWITCHING"] = "hlsAudioTrackSwitching";
Events["AUDIO_TRACK_SWITCHED"] = "hlsAudioTrackSwitched";
Events["AUDIO_TRACK_LOADING"] = "hlsAudioTrackLoading";
Events["AUDIO_TRACK_LOADED"] = "hlsAudioTrackLoaded";
Events["SUBTITLE_TRACKS_UPDATED"] = "hlsSubtitleTracksUpdated";
Events["SUBTITLE_TRACKS_CLEARED"] = "hlsSubtitleTracksCleared";
Events["SUBTITLE_TRACK_SWITCH"] = "hlsSubtitleTrackSwitch";
Events["SUBTITLE_TRACK_LOADING"] = "hlsSubtitleTrackLoading";
Events["SUBTITLE_TRACK_LOADED"] = "hlsSubtitleTrackLoaded";
Events["SUBTITLE_FRAG_PROCESSED"] = "hlsSubtitleFragProcessed";
Events["CUES_PARSED"] = "hlsCuesParsed";
Events["NON_NATIVE_TEXT_TRACKS_FOUND"] = "hlsNonNativeTextTracksFound";
Events["INIT_PTS_FOUND"] = "hlsInitPtsFound";
Events["FRAG_LOADING"] = "hlsFragLoading";
Events["FRAG_LOAD_EMERGENCY_ABORTED"] = "hlsFragLoadEmergencyAborted";
Events["FRAG_LOADED"] = "hlsFragLoaded";
Events["FRAG_DECRYPTED"] = "hlsFragDecrypted";
Events["FRAG_PARSING_INIT_SEGMENT"] = "hlsFragParsingInitSegment";
Events["FRAG_PARSING_USERDATA"] = "hlsFragParsingUserdata";
Events["FRAG_PARSING_METADATA"] = "hlsFragParsingMetadata";
Events["FRAG_PARSED"] = "hlsFragParsed";
Events["FRAG_BUFFERED"] = "hlsFragBuffered";
Events["FRAG_CHANGED"] = "hlsFragChanged";
Events["FPS_DROP"] = "hlsFpsDrop";
Events["FPS_DROP_LEVEL_CAPPING"] = "hlsFpsDropLevelCapping";
Events["ERROR"] = "hlsError";
Events["DESTROYING"] = "hlsDestroying";
Events["KEY_LOADING"] = "hlsKeyLoading";
Events["KEY_LOADED"] = "hlsKeyLoaded";
Events["LIVE_BACK_BUFFER_REACHED"] = "hlsLiveBackBufferReached";
Events["BACK_BUFFER_REACHED"] = "hlsBackBufferReached";
})(Events || (Events = {}));
/***/ }),
/***/ "./src/hls.ts":
/*!********************!*\
!*** ./src/hls.ts ***!
\********************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return Hls; });
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! url-toolkit */ "./node_modules/url-toolkit/src/url-toolkit.js");
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(url_toolkit__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./errors */ "./src/errors.ts");
/* harmony import */ var _loader_playlist_loader__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./loader/playlist-loader */ "./src/loader/playlist-loader.ts");
/* harmony import */ var _loader_key_loader__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./loader/key-loader */ "./src/loader/key-loader.ts");
/* harmony import */ var _controller_fragment_tracker__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./controller/fragment-tracker */ "./src/controller/fragment-tracker.ts");
/* harmony import */ var _controller_stream_controller__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./controller/stream-controller */ "./src/controller/stream-controller.ts");
/* harmony import */ var _controller_level_controller__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./controller/level-controller */ "./src/controller/level-controller.ts");
/* harmony import */ var _is_supported__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./is-supported */ "./src/is-supported.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _config__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./config */ "./src/config.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./events */ "./src/events.ts");
/* harmony import */ var eventemitter3__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! eventemitter3 */ "./node_modules/eventemitter3/index.js");
/* harmony import */ var eventemitter3__WEBPACK_IMPORTED_MODULE_11___default = /*#__PURE__*/__webpack_require__.n(eventemitter3__WEBPACK_IMPORTED_MODULE_11__);
/* harmony import */ var _controller_id3_track_controller__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./controller/id3-track-controller */ "./src/controller/id3-track-controller.ts");
/* harmony import */ var _controller_latency_controller__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./controller/latency-controller */ "./src/controller/latency-controller.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
/**
* @module Hls
* @class
* @constructor
*/
var Hls = /*#__PURE__*/function () {
Hls.isSupported = function isSupported() {
return Object(_is_supported__WEBPACK_IMPORTED_MODULE_7__["isSupported"])();
};
/**
* Creates an instance of an HLS client that can attach to exactly one `HTMLMediaElement`.
*
* @constructs Hls
* @param {HlsConfig} config
*/
function Hls(userConfig) {
if (userConfig === void 0) {
userConfig = {};
}
this.config = void 0;
this.userConfig = void 0;
this.coreComponents = void 0;
this.networkControllers = void 0;
this._emitter = new eventemitter3__WEBPACK_IMPORTED_MODULE_11__["EventEmitter"]();
this._autoLevelCapping = void 0;
this.abrController = void 0;
this.capLevelController = void 0;
this.latencyController = void 0;
this.levelController = void 0;
this.streamController = void 0;
this.audioTrackController = void 0;
this.subtitleTrackController = void 0;
this.emeController = void 0;
this._media = null;
this.url = null;
var config = this.config = Object(_config__WEBPACK_IMPORTED_MODULE_9__["mergeConfig"])(Hls.DefaultConfig, userConfig);
this.userConfig = userConfig;
Object(_utils_logger__WEBPACK_IMPORTED_MODULE_8__["enableLogs"])(config.debug);
this._autoLevelCapping = -1;
if (config.progressive) {
Object(_config__WEBPACK_IMPORTED_MODULE_9__["enableStreamingMode"])(config);
} // core controllers and network loaders
var abrController = this.abrController = new config.abrController(this); // eslint-disable-line new-cap
var bufferController = new config.bufferController(this); // eslint-disable-line new-cap
var capLevelController = this.capLevelController = new config.capLevelController(this); // eslint-disable-line new-cap
var fpsController = new config.fpsController(this); // eslint-disable-line new-cap
var playListLoader = new _loader_playlist_loader__WEBPACK_IMPORTED_MODULE_2__["default"](this);
var keyLoader = new _loader_key_loader__WEBPACK_IMPORTED_MODULE_3__["default"](this);
var id3TrackController = new _controller_id3_track_controller__WEBPACK_IMPORTED_MODULE_12__["default"](this); // network controllers
var levelController = this.levelController = new _controller_level_controller__WEBPACK_IMPORTED_MODULE_6__["default"](this); // FragmentTracker must be defined before StreamController because the order of event handling is important
var fragmentTracker = new _controller_fragment_tracker__WEBPACK_IMPORTED_MODULE_4__["FragmentTracker"](this);
var streamController = this.streamController = new _controller_stream_controller__WEBPACK_IMPORTED_MODULE_5__["default"](this, fragmentTracker); // Cap level controller uses streamController to flush the buffer
capLevelController.setStreamController(streamController); // fpsController uses streamController to switch when frames are being dropped
fpsController.setStreamController(streamController);
var networkControllers = [levelController, streamController];
this.networkControllers = networkControllers;
var coreComponents = [playListLoader, keyLoader, abrController, bufferController, capLevelController, fpsController, id3TrackController, fragmentTracker];
this.audioTrackController = this.createController(config.audioTrackController, null, networkControllers);
this.createController(config.audioStreamController, fragmentTracker, networkControllers); // subtitleTrackController must be defined before because the order of event handling is important
this.subtitleTrackController = this.createController(config.subtitleTrackController, null, networkControllers);
this.createController(config.subtitleStreamController, fragmentTracker, networkControllers);
this.createController(config.timelineController, null, coreComponents);
this.emeController = this.createController(config.emeController, null, coreComponents);
this.latencyController = this.createController(_controller_latency_controller__WEBPACK_IMPORTED_MODULE_13__["default"], null, coreComponents);
this.coreComponents = coreComponents;
}
var _proto = Hls.prototype;
_proto.createController = function createController(ControllerClass, fragmentTracker, components) {
if (ControllerClass) {
var controllerInstance = fragmentTracker ? new ControllerClass(this, fragmentTracker) : new ControllerClass(this);
if (components) {
components.push(controllerInstance);
}
return controllerInstance;
}
return null;
} // Delegate the EventEmitter through the public API of Hls.js
;
_proto.on = function on(event, listener, context) {
if (context === void 0) {
context = this;
}
this._emitter.on(event, listener, context);
};
_proto.once = function once(event, listener, context) {
if (context === void 0) {
context = this;
}
this._emitter.once(event, listener, context);
};
_proto.removeAllListeners = function removeAllListeners(event) {
this._emitter.removeAllListeners(event);
};
_proto.off = function off(event, listener, context, once) {
if (context === void 0) {
context = this;
}
this._emitter.off(event, listener, context, once);
};
_proto.listeners = function listeners(event) {
return this._emitter.listeners(event);
};
_proto.emit = function emit(event, name, eventObject) {
return this._emitter.emit(event, name, eventObject);
};
_proto.trigger = function trigger(event, eventObject) {
if (this.config.debug) {
return this.emit(event, event, eventObject);
} else {
try {
return this.emit(event, event, eventObject);
} catch (e) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].error('An internal error happened while handling event ' + event + '. Error message: "' + e.message + '". Here is a stacktrace:', e);
this.trigger(_events__WEBPACK_IMPORTED_MODULE_10__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].OTHER_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].INTERNAL_EXCEPTION,
fatal: false,
event: event,
error: e
});
}
}
return false;
};
_proto.listenerCount = function listenerCount(event) {
return this._emitter.listenerCount(event);
}
/**
* Dispose of the instance
*/
;
_proto.destroy = function destroy() {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('destroy');
this.trigger(_events__WEBPACK_IMPORTED_MODULE_10__["Events"].DESTROYING, undefined);
this.detachMedia();
this.removeAllListeners();
this._autoLevelCapping = -1;
this.url = null;
if (this.networkControllers) {
this.networkControllers.forEach(function (component) {
return component.destroy();
}); // @ts-ignore
this.networkControllers = null;
}
if (this.coreComponents) {
this.coreComponents.forEach(function (component) {
return component.destroy();
}); // @ts-ignore
this.coreComponents = null;
}
}
/**
* Attaches Hls.js to a media element
* @param {HTMLMediaElement} media
*/
;
_proto.attachMedia = function attachMedia(media) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('attachMedia');
this._media = media;
this.trigger(_events__WEBPACK_IMPORTED_MODULE_10__["Events"].MEDIA_ATTACHING, {
media: media
});
}
/**
* Detach Hls.js from the media
*/
;
_proto.detachMedia = function detachMedia() {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('detachMedia');
this.trigger(_events__WEBPACK_IMPORTED_MODULE_10__["Events"].MEDIA_DETACHING, undefined);
this._media = null;
}
/**
* Set the source URL. Can be relative or absolute.
* @param {string} url
*/
;
_proto.loadSource = function loadSource(url) {
this.stopLoad();
var media = this.media;
if (media && this.url) {
this.detachMedia();
this.attachMedia(media);
}
url = url_toolkit__WEBPACK_IMPORTED_MODULE_0__["buildAbsoluteURL"](self.location.href, url, {
alwaysNormalize: true
});
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("loadSource:" + url);
this.url = url; // when attaching to a source URL, trigger a playlist load
this.trigger(_events__WEBPACK_IMPORTED_MODULE_10__["Events"].MANIFEST_LOADING, {
url: url
});
}
/**
* Start loading data from the stream source.
* Depending on default config, client starts loading automatically when a source is set.
*
* @param {number} startPosition Set the start position to stream from
* @default -1 None (from earliest point)
*/
;
_proto.startLoad = function startLoad(startPosition) {
if (startPosition === void 0) {
startPosition = -1;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("startLoad(" + startPosition + ")");
this.networkControllers.forEach(function (controller) {
controller.startLoad(startPosition);
});
}
/**
* Stop loading of any stream data.
*/
;
_proto.stopLoad = function stopLoad() {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('stopLoad');
this.networkControllers.forEach(function (controller) {
controller.stopLoad();
});
}
/**
* Swap through possible audio codecs in the stream (for example to switch from stereo to 5.1)
*/
;
_proto.swapAudioCodec = function swapAudioCodec() {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('swapAudioCodec');
this.streamController.swapAudioCodec();
}
/**
* When the media-element fails, this allows to detach and then re-attach it
* as one call (convenience method).
*
* Automatic recovery of media-errors by this process is configurable.
*/
;
_proto.recoverMediaError = function recoverMediaError() {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log('recoverMediaError');
var media = this._media;
this.detachMedia();
if (media) {
this.attachMedia(media);
}
};
_proto.removeLevel = function removeLevel(levelIndex, urlId) {
if (urlId === void 0) {
urlId = 0;
}
this.levelController.removeLevel(levelIndex, urlId);
}
/**
* @type {Level[]}
*/
;
_createClass(Hls, [{
key: "levels",
get: function get() {
var levels = this.levelController.levels;
return levels ? levels : [];
}
/**
* Index of quality level currently played
* @type {number}
*/
}, {
key: "currentLevel",
get: function get() {
return this.streamController.currentLevel;
}
/**
* Set quality level index immediately .
* This will flush the current buffer to replace the quality asap.
* That means playback will interrupt at least shortly to re-buffer and re-sync eventually.
* @type {number} -1 for automatic level selection
*/
,
set: function set(newLevel) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("set currentLevel:" + newLevel);
this.loadLevel = newLevel;
this.abrController.clearTimer();
this.streamController.immediateLevelSwitch();
}
/**
* Index of next quality level loaded as scheduled by stream controller.
* @type {number}
*/
}, {
key: "nextLevel",
get: function get() {
return this.streamController.nextLevel;
}
/**
* Set quality level index for next loaded data.
* This will switch the video quality asap, without interrupting playback.
* May abort current loading of data, and flush parts of buffer (outside currently played fragment region).
* @type {number} -1 for automatic level selection
*/
,
set: function set(newLevel) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("set nextLevel:" + newLevel);
this.levelController.manualLevel = newLevel;
this.streamController.nextLevelSwitch();
}
/**
* Return the quality level of the currently or last (of none is loaded currently) segment
* @type {number}
*/
}, {
key: "loadLevel",
get: function get() {
return this.levelController.level;
}
/**
* Set quality level index for next loaded data in a conservative way.
* This will switch the quality without flushing, but interrupt current loading.
* Thus the moment when the quality switch will appear in effect will only be after the already existing buffer.
* @type {number} newLevel -1 for automatic level selection
*/
,
set: function set(newLevel) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("set loadLevel:" + newLevel);
this.levelController.manualLevel = newLevel;
}
/**
* get next quality level loaded
* @type {number}
*/
}, {
key: "nextLoadLevel",
get: function get() {
return this.levelController.nextLoadLevel;
}
/**
* Set quality level of next loaded segment in a fully "non-destructive" way.
* Same as `loadLevel` but will wait for next switch (until current loading is done).
* @type {number} level
*/
,
set: function set(level) {
this.levelController.nextLoadLevel = level;
}
/**
* Return "first level": like a default level, if not set,
* falls back to index of first level referenced in manifest
* @type {number}
*/
}, {
key: "firstLevel",
get: function get() {
return Math.max(this.levelController.firstLevel, this.minAutoLevel);
}
/**
* Sets "first-level", see getter.
* @type {number}
*/
,
set: function set(newLevel) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("set firstLevel:" + newLevel);
this.levelController.firstLevel = newLevel;
}
/**
* Return start level (level of first fragment that will be played back)
* if not overrided by user, first level appearing in manifest will be used as start level
* if -1 : automatic start level selection, playback will start from level matching download bandwidth
* (determined from download of first segment)
* @type {number}
*/
}, {
key: "startLevel",
get: function get() {
return this.levelController.startLevel;
}
/**
* set start level (level of first fragment that will be played back)
* if not overrided by user, first level appearing in manifest will be used as start level
* if -1 : automatic start level selection, playback will start from level matching download bandwidth
* (determined from download of first segment)
* @type {number} newLevel
*/
,
set: function set(newLevel) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("set startLevel:" + newLevel); // if not in automatic start level detection, ensure startLevel is greater than minAutoLevel
if (newLevel !== -1) {
newLevel = Math.max(newLevel, this.minAutoLevel);
}
this.levelController.startLevel = newLevel;
}
/**
* Get the current setting for capLevelToPlayerSize
*
* @type {boolean}
*/
}, {
key: "capLevelToPlayerSize",
get: function get() {
return this.config.capLevelToPlayerSize;
}
/**
* set dynamically set capLevelToPlayerSize against (`CapLevelController`)
*
* @type {boolean}
*/
,
set: function set(shouldStartCapping) {
var newCapLevelToPlayerSize = !!shouldStartCapping;
if (newCapLevelToPlayerSize !== this.config.capLevelToPlayerSize) {
if (newCapLevelToPlayerSize) {
this.capLevelController.startCapping(); // If capping occurs, nextLevelSwitch will happen based on size.
} else {
this.capLevelController.stopCapping();
this.autoLevelCapping = -1;
this.streamController.nextLevelSwitch(); // Now we're uncapped, get the next level asap.
}
this.config.capLevelToPlayerSize = newCapLevelToPlayerSize;
}
}
/**
* Capping/max level value that should be used by automatic level selection algorithm (`ABRController`)
* @type {number}
*/
}, {
key: "autoLevelCapping",
get: function get() {
return this._autoLevelCapping;
}
/**
* get bandwidth estimate
* @type {number}
*/
,
set:
/**
* Capping/max level value that should be used by automatic level selection algorithm (`ABRController`)
* @type {number}
*/
function set(newLevel) {
if (this._autoLevelCapping !== newLevel) {
_utils_logger__WEBPACK_IMPORTED_MODULE_8__["logger"].log("set autoLevelCapping:" + newLevel);
this._autoLevelCapping = newLevel;
}
}
/**
* True when automatic level selection enabled
* @type {boolean}
*/
}, {
key: "bandwidthEstimate",
get: function get() {
var bwEstimator = this.abrController.bwEstimator;
if (!bwEstimator) {
return NaN;
}
return bwEstimator.getEstimate();
}
}, {
key: "autoLevelEnabled",
get: function get() {
return this.levelController.manualLevel === -1;
}
/**
* Level set manually (if any)
* @type {number}
*/
}, {
key: "manualLevel",
get: function get() {
return this.levelController.manualLevel;
}
/**
* min level selectable in auto mode according to config.minAutoBitrate
* @type {number}
*/
}, {
key: "minAutoLevel",
get: function get() {
var levels = this.levels,
minAutoBitrate = this.config.minAutoBitrate;
if (!levels) return 0;
var len = levels.length;
for (var i = 0; i < len; i++) {
if (levels[i].maxBitrate > minAutoBitrate) {
return i;
}
}
return 0;
}
/**
* max level selectable in auto mode according to autoLevelCapping
* @type {number}
*/
}, {
key: "maxAutoLevel",
get: function get() {
var levels = this.levels,
autoLevelCapping = this.autoLevelCapping;
var maxAutoLevel;
if (autoLevelCapping === -1 && levels && levels.length) {
maxAutoLevel = levels.length - 1;
} else {
maxAutoLevel = autoLevelCapping;
}
return maxAutoLevel;
}
/**
* next automatically selected quality level
* @type {number}
*/
}, {
key: "nextAutoLevel",
get: function get() {
// ensure next auto level is between min and max auto level
return Math.min(Math.max(this.abrController.nextAutoLevel, this.minAutoLevel), this.maxAutoLevel);
}
/**
* this setter is used to force next auto level.
* this is useful to force a switch down in auto mode:
* in case of load error on level N, hls.js can set nextAutoLevel to N-1 for example)
* forced value is valid for one fragment. upon succesful frag loading at forced level,
* this value will be resetted to -1 by ABR controller.
* @type {number}
*/
,
set: function set(nextLevel) {
this.abrController.nextAutoLevel = Math.max(this.minAutoLevel, nextLevel);
}
/**
* @type {AudioTrack[]}
*/
}, {
key: "audioTracks",
get: function get() {
var audioTrackController = this.audioTrackController;
return audioTrackController ? audioTrackController.audioTracks : [];
}
/**
* index of the selected audio track (index in audio track lists)
* @type {number}
*/
}, {
key: "audioTrack",
get: function get() {
var audioTrackController = this.audioTrackController;
return audioTrackController ? audioTrackController.audioTrack : -1;
}
/**
* selects an audio track, based on its index in audio track lists
* @type {number}
*/
,
set: function set(audioTrackId) {
var audioTrackController = this.audioTrackController;
if (audioTrackController) {
audioTrackController.audioTrack = audioTrackId;
}
}
/**
* get alternate subtitle tracks list from playlist
* @type {MediaPlaylist[]}
*/
}, {
key: "subtitleTracks",
get: function get() {
var subtitleTrackController = this.subtitleTrackController;
return subtitleTrackController ? subtitleTrackController.subtitleTracks : [];
}
/**
* index of the selected subtitle track (index in subtitle track lists)
* @type {number}
*/
}, {
key: "subtitleTrack",
get: function get() {
var subtitleTrackController = this.subtitleTrackController;
return subtitleTrackController ? subtitleTrackController.subtitleTrack : -1;
},
set:
/**
* select an subtitle track, based on its index in subtitle track lists
* @type {number}
*/
function set(subtitleTrackId) {
var subtitleTrackController = this.subtitleTrackController;
if (subtitleTrackController) {
subtitleTrackController.subtitleTrack = subtitleTrackId;
}
}
/**
* @type {boolean}
*/
}, {
key: "media",
get: function get() {
return this._media;
}
}, {
key: "subtitleDisplay",
get: function get() {
var subtitleTrackController = this.subtitleTrackController;
return subtitleTrackController ? subtitleTrackController.subtitleDisplay : false;
}
/**
* Enable/disable subtitle display rendering
* @type {boolean}
*/
,
set: function set(value) {
var subtitleTrackController = this.subtitleTrackController;
if (subtitleTrackController) {
subtitleTrackController.subtitleDisplay = value;
}
}
/**
* get mode for Low-Latency HLS loading
* @type {boolean}
*/
}, {
key: "lowLatencyMode",
get: function get() {
return this.config.lowLatencyMode;
}
/**
* Enable/disable Low-Latency HLS part playlist and segment loading, and start live streams at playlist PART-HOLD-BACK rather than HOLD-BACK.
* @type {boolean}
*/
,
set: function set(mode) {
this.config.lowLatencyMode = mode;
}
/**
* position (in seconds) of live sync point (ie edge of live position minus safety delay defined by ```hls.config.liveSyncDuration```)
* @type {number}
*/
}, {
key: "liveSyncPosition",
get: function get() {
return this.latencyController.liveSyncPosition;
}
/**
* estimated position (in seconds) of live edge (ie edge of live playlist plus time sync playlist advanced)
* returns 0 before first playlist is loaded
* @type {number}
*/
}, {
key: "latency",
get: function get() {
return this.latencyController.latency;
}
/**
* maximum distance from the edge before the player seeks forward to ```hls.liveSyncPosition```
* configured using ```liveMaxLatencyDurationCount``` (multiple of target duration) or ```liveMaxLatencyDuration```
* returns 0 before first playlist is loaded
* @type {number}
*/
}, {
key: "maxLatency",
get: function get() {
return this.latencyController.maxLatency;
}
/**
* target distance from the edge as calculated by the latency controller
* @type {number}
*/
}, {
key: "targetLatency",
get: function get() {
return this.latencyController.targetLatency;
}
/**
* set to true when startLoad is called before MANIFEST_PARSED event
* @type {boolean}
*/
}, {
key: "forceStartLoad",
get: function get() {
return this.streamController.forceStartLoad;
}
}], [{
key: "version",
get: function get() {
return "1.0.0-rc.5.0.canary.7016";
}
}, {
key: "Events",
get: function get() {
return _events__WEBPACK_IMPORTED_MODULE_10__["Events"];
}
}, {
key: "ErrorTypes",
get: function get() {
return _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"];
}
}, {
key: "ErrorDetails",
get: function get() {
return _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"];
}
}, {
key: "DefaultConfig",
get: function get() {
if (!Hls.defaultConfig) {
return _config__WEBPACK_IMPORTED_MODULE_9__["hlsDefaultConfig"];
}
return Hls.defaultConfig;
}
/**
* @type {HlsConfig}
*/
,
set: function set(defaultConfig) {
Hls.defaultConfig = defaultConfig;
}
}]);
return Hls;
}();
Hls.defaultConfig = void 0;
/***/ }),
/***/ "./src/is-supported.ts":
/*!*****************************!*\
!*** ./src/is-supported.ts ***!
\*****************************/
/*! exports provided: isSupported, changeTypeSupported */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isSupported", function() { return isSupported; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "changeTypeSupported", function() { return changeTypeSupported; });
/* harmony import */ var _utils_mediasource_helper__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./utils/mediasource-helper */ "./src/utils/mediasource-helper.ts");
function getSourceBuffer() {
return self.SourceBuffer || self.WebKitSourceBuffer;
}
function isSupported() {
var mediaSource = Object(_utils_mediasource_helper__WEBPACK_IMPORTED_MODULE_0__["getMediaSource"])();
if (!mediaSource) {
return false;
}
var sourceBuffer = getSourceBuffer();
var isTypeSupported = mediaSource && typeof mediaSource.isTypeSupported === 'function' && mediaSource.isTypeSupported('video/mp4; codecs="avc1.42E01E,mp4a.40.2"'); // if SourceBuffer is exposed ensure its API is valid
// safari and old version of Chrome doe not expose SourceBuffer globally so checking SourceBuffer.prototype is impossible
var sourceBufferValidAPI = !sourceBuffer || sourceBuffer.prototype && typeof sourceBuffer.prototype.appendBuffer === 'function' && typeof sourceBuffer.prototype.remove === 'function';
return !!isTypeSupported && !!sourceBufferValidAPI;
}
function changeTypeSupported() {
var _sourceBuffer$prototy;
var sourceBuffer = getSourceBuffer();
return typeof (sourceBuffer === null || sourceBuffer === void 0 ? void 0 : (_sourceBuffer$prototy = sourceBuffer.prototype) === null || _sourceBuffer$prototy === void 0 ? void 0 : _sourceBuffer$prototy.changeType) === 'function';
}
/***/ }),
/***/ "./src/loader/fragment-loader.ts":
/*!***************************************!*\
!*** ./src/loader/fragment-loader.ts ***!
\***************************************/
/*! exports provided: default, LoadError */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return FragmentLoader; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "LoadError", function() { return LoadError; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _wrapNativeSuper(Class) { var _cache = typeof Map === "function" ? new Map() : undefined; _wrapNativeSuper = function _wrapNativeSuper(Class) { if (Class === null || !_isNativeFunction(Class)) return Class; if (typeof Class !== "function") { throw new TypeError("Super expression must either be null or a function"); } if (typeof _cache !== "undefined") { if (_cache.has(Class)) return _cache.get(Class); _cache.set(Class, Wrapper); } function Wrapper() { return _construct(Class, arguments, _getPrototypeOf(this).constructor); } Wrapper.prototype = Object.create(Class.prototype, { constructor: { value: Wrapper, enumerable: false, writable: true, configurable: true } }); return _setPrototypeOf(Wrapper, Class); }; return _wrapNativeSuper(Class); }
function _construct(Parent, args, Class) { if (_isNativeReflectConstruct()) { _construct = Reflect.construct; } else { _construct = function _construct(Parent, args, Class) { var a = [null]; a.push.apply(a, args); var Constructor = Function.bind.apply(Parent, a); var instance = new Constructor(); if (Class) _setPrototypeOf(instance, Class.prototype); return instance; }; } return _construct.apply(null, arguments); }
function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }
function _isNativeFunction(fn) { return Function.toString.call(fn).indexOf("[native code]") !== -1; }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }
var MIN_CHUNK_SIZE = Math.pow(2, 17); // 128kb
var FragmentLoader = /*#__PURE__*/function () {
function FragmentLoader(config) {
this.config = void 0;
this.loader = null;
this.partLoadTimeout = -1;
this.config = config;
}
var _proto = FragmentLoader.prototype;
_proto.destroy = function destroy() {
if (this.loader) {
this.loader.destroy();
this.loader = null;
}
};
_proto.abort = function abort() {
if (this.loader) {
// Abort the loader for current fragment. Only one may load at any given time
this.loader.abort();
}
};
_proto.load = function load(frag, _onProgress) {
var _this = this;
var url = frag.url;
if (!url) {
return Promise.reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_LOAD_ERROR,
fatal: false,
frag: frag,
networkDetails: null
}, "Fragment does not have a " + (url ? 'part list' : 'url')));
}
this.abort();
var config = this.config;
var FragmentILoader = config.fLoader;
var DefaultILoader = config.loader;
return new Promise(function (resolve, reject) {
if (_this.loader) {
_this.loader.destroy();
}
var loader = _this.loader = frag.loader = FragmentILoader ? new FragmentILoader(config) : new DefaultILoader(config);
var loaderContext = createLoaderContext(frag);
var loaderConfig = {
timeout: config.fragLoadingTimeOut,
maxRetry: 0,
retryDelay: 0,
maxRetryDelay: config.fragLoadingMaxRetryTimeout,
highWaterMark: MIN_CHUNK_SIZE
}; // Assign frag stats to the loader's stats reference
frag.stats = loader.stats;
loader.load(loaderContext, loaderConfig, {
onSuccess: function onSuccess(response, stats, context, networkDetails) {
_this.resetLoader(frag, loader);
resolve({
frag: frag,
part: null,
payload: response.data,
networkDetails: networkDetails
});
},
onError: function onError(response, context, networkDetails) {
_this.resetLoader(frag, loader);
reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_LOAD_ERROR,
fatal: false,
frag: frag,
response: response,
networkDetails: networkDetails
}));
},
onAbort: function onAbort(stats, context, networkDetails) {
_this.resetLoader(frag, loader);
reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].INTERNAL_ABORTED,
fatal: false,
frag: frag,
networkDetails: networkDetails
}));
},
onTimeout: function onTimeout(response, context, networkDetails) {
_this.resetLoader(frag, loader);
reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_LOAD_TIMEOUT,
fatal: false,
frag: frag,
networkDetails: networkDetails
}));
},
onProgress: function onProgress(stats, context, data, networkDetails) {
if (_onProgress) {
_onProgress({
frag: frag,
part: null,
payload: data,
networkDetails: networkDetails
});
}
}
});
});
};
_proto.loadPart = function loadPart(frag, part, onProgress) {
var _this2 = this;
this.abort();
var config = this.config;
var FragmentILoader = config.fLoader;
var DefaultILoader = config.loader;
return new Promise(function (resolve, reject) {
if (_this2.loader) {
_this2.loader.destroy();
}
var loader = _this2.loader = frag.loader = FragmentILoader ? new FragmentILoader(config) : new DefaultILoader(config);
var loaderContext = createLoaderContext(frag, part);
var loaderConfig = {
timeout: config.fragLoadingTimeOut,
maxRetry: 0,
retryDelay: 0,
maxRetryDelay: config.fragLoadingMaxRetryTimeout,
highWaterMark: MIN_CHUNK_SIZE
}; // Assign part stats to the loader's stats reference
part.stats = loader.stats;
loader.load(loaderContext, loaderConfig, {
onSuccess: function onSuccess(response, stats, context, networkDetails) {
_this2.resetLoader(frag, loader);
_this2.updateStatsFromPart(frag, part);
var partLoadedData = {
frag: frag,
part: part,
payload: response.data,
networkDetails: networkDetails
};
onProgress(partLoadedData);
resolve(partLoadedData);
},
onError: function onError(response, context, networkDetails) {
_this2.resetLoader(frag, loader);
reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_LOAD_ERROR,
fatal: false,
frag: frag,
part: part,
response: response,
networkDetails: networkDetails
}));
},
onAbort: function onAbort(stats, context, networkDetails) {
frag.stats.aborted = part.stats.aborted;
_this2.resetLoader(frag, loader);
reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].INTERNAL_ABORTED,
fatal: false,
frag: frag,
part: part,
networkDetails: networkDetails
}));
},
onTimeout: function onTimeout(response, context, networkDetails) {
_this2.resetLoader(frag, loader);
reject(new LoadError({
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].FRAG_LOAD_TIMEOUT,
fatal: false,
frag: frag,
part: part,
networkDetails: networkDetails
}));
}
});
});
};
_proto.updateStatsFromPart = function updateStatsFromPart(frag, part) {
var fragStats = frag.stats;
var partStats = part.stats;
var partTotal = partStats.total;
fragStats.loaded += partStats.loaded;
if (partTotal) {
var estTotalParts = Math.round(frag.duration / part.duration);
var estLoadedParts = Math.min(Math.round(fragStats.loaded / partTotal), estTotalParts);
var estRemainingParts = estTotalParts - estLoadedParts;
var estRemainingBytes = estRemainingParts * Math.round(fragStats.loaded / estLoadedParts);
fragStats.total = fragStats.loaded + estRemainingBytes;
} else {
fragStats.total = Math.max(fragStats.loaded, fragStats.total);
}
var fragLoading = fragStats.loading;
var partLoading = partStats.loading;
if (fragLoading.start) {
// add to fragment loader latency
fragLoading.first += partLoading.first - partLoading.start;
} else {
fragLoading.start = partLoading.start;
fragLoading.first = partLoading.first;
}
fragLoading.end = partLoading.end;
};
_proto.resetLoader = function resetLoader(frag, loader) {
frag.loader = null;
if (this.loader === loader) {
self.clearTimeout(this.partLoadTimeout);
this.loader = null;
}
loader.destroy();
};
return FragmentLoader;
}();
function createLoaderContext(frag, part) {
if (part === void 0) {
part = null;
}
var segment = part || frag;
var loaderContext = {
frag: frag,
part: part,
responseType: 'arraybuffer',
url: segment.url,
rangeStart: 0,
rangeEnd: 0
};
var start = segment.byteRangeStartOffset;
var end = segment.byteRangeEndOffset;
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(start) && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(end)) {
loaderContext.rangeStart = start;
loaderContext.rangeEnd = end;
}
return loaderContext;
}
var LoadError = /*#__PURE__*/function (_Error) {
_inheritsLoose(LoadError, _Error);
function LoadError(data) {
var _this3;
for (var _len = arguments.length, params = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
params[_key - 1] = arguments[_key];
}
_this3 = _Error.call.apply(_Error, [this].concat(params)) || this;
_this3.data = void 0;
_this3.data = data;
return _this3;
}
return LoadError;
}( /*#__PURE__*/_wrapNativeSuper(Error));
/***/ }),
/***/ "./src/loader/fragment.ts":
/*!********************************!*\
!*** ./src/loader/fragment.ts ***!
\********************************/
/*! exports provided: ElementaryStreamTypes, BaseSegment, Fragment, Part */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ElementaryStreamTypes", function() { return ElementaryStreamTypes; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "BaseSegment", function() { return BaseSegment; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Fragment", function() { return Fragment; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Part", function() { return Part; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! url-toolkit */ "./node_modules/url-toolkit/src/url-toolkit.js");
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(url_toolkit__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _level_key__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./level-key */ "./src/loader/level-key.ts");
/* harmony import */ var _load_stats__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./load-stats */ "./src/loader/load-stats.ts");
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
var ElementaryStreamTypes;
(function (ElementaryStreamTypes) {
ElementaryStreamTypes["AUDIO"] = "audio";
ElementaryStreamTypes["VIDEO"] = "video";
ElementaryStreamTypes["AUDIOVIDEO"] = "audiovideo";
})(ElementaryStreamTypes || (ElementaryStreamTypes = {}));
var BaseSegment = /*#__PURE__*/function () {
// baseurl is the URL to the playlist
// relurl is the portion of the URL that comes from inside the playlist.
// Holds the types of data this fragment supports
function BaseSegment(baseurl) {
var _this$elementaryStrea;
this._byteRange = null;
this._url = null;
this.baseurl = void 0;
this.relurl = void 0;
this.elementaryStreams = (_this$elementaryStrea = {}, _this$elementaryStrea[ElementaryStreamTypes.AUDIO] = null, _this$elementaryStrea[ElementaryStreamTypes.VIDEO] = null, _this$elementaryStrea[ElementaryStreamTypes.AUDIOVIDEO] = null, _this$elementaryStrea);
this.baseurl = baseurl;
} // setByteRange converts a EXT-X-BYTERANGE attribute into a two element array
var _proto = BaseSegment.prototype;
_proto.setByteRange = function setByteRange(value, previous) {
var params = value.split('@', 2);
var byteRange = [];
if (params.length === 1) {
byteRange[0] = previous ? previous.byteRangeEndOffset : 0;
} else {
byteRange[0] = parseInt(params[1]);
}
byteRange[1] = parseInt(params[0]) + byteRange[0];
this._byteRange = byteRange;
};
_createClass(BaseSegment, [{
key: "byteRange",
get: function get() {
if (!this._byteRange) {
return [];
}
return this._byteRange;
}
}, {
key: "byteRangeStartOffset",
get: function get() {
return this.byteRange[0];
}
}, {
key: "byteRangeEndOffset",
get: function get() {
return this.byteRange[1];
}
}, {
key: "url",
get: function get() {
if (!this._url && this.baseurl && this.relurl) {
this._url = Object(url_toolkit__WEBPACK_IMPORTED_MODULE_1__["buildAbsoluteURL"])(this.baseurl, this.relurl, {
alwaysNormalize: true
});
}
return this._url || '';
},
set: function set(value) {
this._url = value;
}
}]);
return BaseSegment;
}();
var Fragment = /*#__PURE__*/function (_BaseSegment) {
_inheritsLoose(Fragment, _BaseSegment);
// EXTINF has to be present for a m38 to be considered valid
// sn notates the sequence number for a segment, and if set to a string can be 'initSegment'
// levelkey is the EXT-X-KEY that applies to this segment for decryption
// core difference from the private field _decryptdata is the lack of the initialized IV
// _decryptdata will set the IV for this segment based on the segment number in the fragment
// A string representing the fragment type
// A reference to the loader. Set while the fragment is loading, and removed afterwards. Used to abort fragment loading
// The level/track index to which the fragment belongs
// The continuity counter of the fragment
// The starting Presentation Time Stamp (PTS) of the fragment. Set after transmux complete.
// The ending Presentation Time Stamp (PTS) of the fragment. Set after transmux complete.
// The latest Presentation Time Stamp (PTS) appended to the buffer.
// The starting Decode Time Stamp (DTS) of the fragment. Set after transmux complete.
// The ending Decode Time Stamp (DTS) of the fragment. Set after transmux complete.
// The start time of the fragment, as listed in the manifest. Updated after transmux complete.
// Set by `updateFragPTSDTS` in level-helper
// The maximum starting Presentation Time Stamp (audio/video PTS) of the fragment. Set after transmux complete.
// The minimum ending Presentation Time Stamp (audio/video PTS) of the fragment. Set after transmux complete.
// Load/parse timing information
// A flag indicating whether the segment was downloaded in order to test bitrate, and was not buffered
// #EXTINF segment title
function Fragment(type, baseurl) {
var _this;
_this = _BaseSegment.call(this, baseurl) || this;
_this._decryptdata = null;
_this.rawProgramDateTime = null;
_this.programDateTime = null;
_this.tagList = [];
_this.duration = 0;
_this.sn = 0;
_this.levelkey = void 0;
_this.type = void 0;
_this.loader = null;
_this.level = -1;
_this.cc = 0;
_this.startPTS = void 0;
_this.endPTS = void 0;
_this.appendedPTS = void 0;
_this.startDTS = void 0;
_this.endDTS = void 0;
_this.start = 0;
_this.deltaPTS = void 0;
_this.maxStartPTS = void 0;
_this.minEndPTS = void 0;
_this.stats = new _load_stats__WEBPACK_IMPORTED_MODULE_4__["LoadStats"]();
_this.urlId = 0;
_this.data = void 0;
_this.bitrateTest = false;
_this.title = null;
_this.type = type;
return _this;
}
var _proto2 = Fragment.prototype;
/**
* Utility method for parseLevelPlaylist to create an initialization vector for a given segment
* @param {number} segmentNumber - segment number to generate IV with
* @returns {Uint8Array}
*/
_proto2.createInitializationVector = function createInitializationVector(segmentNumber) {
var uint8View = new Uint8Array(16);
for (var i = 12; i < 16; i++) {
uint8View[i] = segmentNumber >> 8 * (15 - i) & 0xff;
}
return uint8View;
}
/**
* Utility method for parseLevelPlaylist to get a fragment's decryption data from the currently parsed encryption key data
* @param levelkey - a playlist's encryption info
* @param segmentNumber - the fragment's segment number
* @returns {LevelKey} - an object to be applied as a fragment's decryptdata
*/
;
_proto2.setDecryptDataFromLevelKey = function setDecryptDataFromLevelKey(levelkey, segmentNumber) {
var decryptdata = levelkey;
if ((levelkey === null || levelkey === void 0 ? void 0 : levelkey.method) === 'AES-128' && levelkey.uri && !levelkey.iv) {
decryptdata = _level_key__WEBPACK_IMPORTED_MODULE_3__["LevelKey"].fromURI(levelkey.uri);
decryptdata.method = levelkey.method;
decryptdata.iv = this.createInitializationVector(segmentNumber);
decryptdata.keyFormat = 'identity';
}
return decryptdata;
};
_proto2.setElementaryStreamInfo = function setElementaryStreamInfo(type, startPTS, endPTS, startDTS, endDTS, partial) {
if (partial === void 0) {
partial = false;
}
var elementaryStreams = this.elementaryStreams;
var info = elementaryStreams[type];
if (!info) {
elementaryStreams[type] = {
startPTS: startPTS,
endPTS: endPTS,
startDTS: startDTS,
endDTS: endDTS,
partial: partial
};
return;
}
info.startPTS = Math.min(info.startPTS, startPTS);
info.endPTS = Math.max(info.endPTS, endPTS);
info.startDTS = Math.min(info.startDTS, startDTS);
info.endDTS = Math.max(info.endDTS, endDTS);
};
_proto2.clearElementaryStreamInfo = function clearElementaryStreamInfo() {
var elementaryStreams = this.elementaryStreams;
elementaryStreams[ElementaryStreamTypes.AUDIO] = null;
elementaryStreams[ElementaryStreamTypes.VIDEO] = null;
elementaryStreams[ElementaryStreamTypes.AUDIOVIDEO] = null;
};
_createClass(Fragment, [{
key: "decryptdata",
get: function get() {
if (!this.levelkey && !this._decryptdata) {
return null;
}
if (!this._decryptdata && this.levelkey) {
var sn = this.sn;
if (typeof sn !== 'number') {
// We are fetching decryption data for a initialization segment
// If the segment was encrypted with AES-128
// It must have an IV defined. We cannot substitute the Segment Number in.
if (this.levelkey && this.levelkey.method === 'AES-128' && !this.levelkey.iv) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("missing IV for initialization segment with method=\"" + this.levelkey.method + "\" - compliance issue");
}
/*
Be converted to a Number.
'initSegment' will become NaN.
NaN, which when converted through ToInt32() -> +0.
---
Explicitly set sn to resulting value from implicit conversions 'initSegment' values for IV generation.
*/
sn = 0;
}
this._decryptdata = this.setDecryptDataFromLevelKey(this.levelkey, sn);
}
return this._decryptdata;
}
}, {
key: "end",
get: function get() {
return this.start + this.duration;
}
}, {
key: "endProgramDateTime",
get: function get() {
if (this.programDateTime === null) {
return null;
}
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(this.programDateTime)) {
return null;
}
var duration = !Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(this.duration) ? 0 : this.duration;
return this.programDateTime + duration * 1000;
}
}, {
key: "encrypted",
get: function get() {
var _this$decryptdata;
// At the m3u8-parser level we need to add support for manifest signalled keyformats
// when we want the fragment to start reporting that it is encrypted.
// Currently, keyFormat will only be set for identity keys
if ((_this$decryptdata = this.decryptdata) !== null && _this$decryptdata !== void 0 && _this$decryptdata.keyFormat && this.decryptdata.uri) {
return true;
}
return false;
}
}]);
return Fragment;
}(BaseSegment);
var Part = /*#__PURE__*/function (_BaseSegment2) {
_inheritsLoose(Part, _BaseSegment2);
function Part(partAttrs, frag, baseurl, index, previous) {
var _this2;
_this2 = _BaseSegment2.call(this, baseurl) || this;
_this2.fragOffset = 0;
_this2.duration = 0;
_this2.gap = false;
_this2.independent = false;
_this2.relurl = void 0;
_this2.fragment = void 0;
_this2.index = void 0;
_this2.stats = new _load_stats__WEBPACK_IMPORTED_MODULE_4__["LoadStats"]();
_this2.duration = partAttrs.decimalFloatingPoint('DURATION');
_this2.gap = partAttrs.bool('GAP');
_this2.independent = partAttrs.bool('INDEPENDENT');
_this2.relurl = partAttrs.enumeratedString('URI');
_this2.fragment = frag;
_this2.index = index;
var byteRange = partAttrs.enumeratedString('BYTERANGE');
if (byteRange) {
_this2.setByteRange(byteRange, previous);
}
if (previous) {
_this2.fragOffset = previous.fragOffset + previous.duration;
}
return _this2;
}
_createClass(Part, [{
key: "start",
get: function get() {
return this.fragment.start + this.fragOffset;
}
}, {
key: "end",
get: function get() {
return this.start + this.duration;
}
}, {
key: "loaded",
get: function get() {
var elementaryStreams = this.elementaryStreams;
return !!(elementaryStreams.audio || elementaryStreams.video || elementaryStreams.audiovideo);
}
}]);
return Part;
}(BaseSegment);
/***/ }),
/***/ "./src/loader/key-loader.ts":
/*!**********************************!*\
!*** ./src/loader/key-loader.ts ***!
\**********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return KeyLoader; });
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/*
* Decrypt key Loader
*/
var KeyLoader = /*#__PURE__*/function () {
function KeyLoader(hls) {
this.hls = void 0;
this.loaders = {};
this.decryptkey = null;
this.decrypturl = null;
this.hls = hls;
this._registerListeners();
}
var _proto = KeyLoader.prototype;
_proto._registerListeners = function _registerListeners() {
this.hls.on(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].KEY_LOADING, this.onKeyLoading, this);
};
_proto._unregisterListeners = function _unregisterListeners() {
this.hls.off(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].KEY_LOADING, this.onKeyLoading);
};
_proto.destroy = function destroy() {
this._unregisterListeners();
for (var loaderName in this.loaders) {
var loader = this.loaders[loaderName];
if (loader) {
loader.destroy();
}
}
this.loaders = {};
};
_proto.onKeyLoading = function onKeyLoading(event, data) {
var frag = data.frag;
var type = frag.type;
var loader = this.loaders[type];
if (!frag.decryptdata) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn('Missing decryption data on fragment in onKeyLoading');
return;
} // Load the key if the uri is different from previous one, or if the decrypt key has not yet been retrieved
var uri = frag.decryptdata.uri;
if (uri !== this.decrypturl || this.decryptkey === null) {
var config = this.hls.config;
if (loader) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn("abort previous key loader for type:" + type);
loader.abort();
}
if (!uri) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].warn('key uri is falsy');
return;
}
var Loader = config.loader;
var fragLoader = frag.loader = this.loaders[type] = new Loader(config);
this.decrypturl = uri;
this.decryptkey = null;
var loaderContext = {
url: uri,
frag: frag,
responseType: 'arraybuffer'
}; // maxRetry is 0 so that instead of retrying the same key on the same variant multiple times,
// key-loader will trigger an error and rely on stream-controller to handle retry logic.
// this will also align retry logic with fragment-loader
var loaderConfig = {
timeout: config.fragLoadingTimeOut,
maxRetry: 0,
retryDelay: config.fragLoadingRetryDelay,
maxRetryDelay: config.fragLoadingMaxRetryTimeout,
highWaterMark: 0
};
var loaderCallbacks = {
onSuccess: this.loadsuccess.bind(this),
onError: this.loaderror.bind(this),
onTimeout: this.loadtimeout.bind(this)
};
fragLoader.load(loaderContext, loaderConfig, loaderCallbacks);
} else if (this.decryptkey) {
// Return the key if it's already been loaded
frag.decryptdata.key = this.decryptkey;
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].KEY_LOADED, {
frag: frag
});
}
};
_proto.loadsuccess = function loadsuccess(response, stats, context) {
var frag = context.frag;
if (!frag.decryptdata) {
_utils_logger__WEBPACK_IMPORTED_MODULE_2__["logger"].error('after key load, decryptdata unset');
return;
}
this.decryptkey = frag.decryptdata.key = new Uint8Array(response.data); // detach fragment loader on load success
frag.loader = null;
delete this.loaders[frag.type];
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].KEY_LOADED, {
frag: frag
});
};
_proto.loaderror = function loaderror(response, context) {
var frag = context.frag;
var loader = frag.loader;
if (loader) {
loader.abort();
}
delete this.loaders[frag.type];
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].KEY_LOAD_ERROR,
fatal: false,
frag: frag,
response: response
});
};
_proto.loadtimeout = function loadtimeout(stats, context) {
var frag = context.frag;
var loader = frag.loader;
if (loader) {
loader.abort();
}
delete this.loaders[frag.type];
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_0__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_1__["ErrorDetails"].KEY_LOAD_TIMEOUT,
fatal: false,
frag: frag
});
};
return KeyLoader;
}();
/***/ }),
/***/ "./src/loader/level-details.ts":
/*!*************************************!*\
!*** ./src/loader/level-details.ts ***!
\*************************************/
/*! exports provided: LevelDetails */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "LevelDetails", function() { return LevelDetails; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
var DEFAULT_TARGET_DURATION = 10;
var LevelDetails = /*#__PURE__*/function () {
// Manifest reload synchronization
function LevelDetails(baseUrl) {
this.PTSKnown = false;
this.alignedSliding = false;
this.averagetargetduration = void 0;
this.endCC = 0;
this.endSN = 0;
this.fragments = void 0;
this.fragmentHint = void 0;
this.partList = null;
this.initSegment = null;
this.live = true;
this.ageHeader = 0;
this.advancedDateTime = void 0;
this.updated = true;
this.advanced = true;
this.availabilityDelay = void 0;
this.misses = 0;
this.needSidxRanges = false;
this.startCC = 0;
this.startSN = 0;
this.startTimeOffset = null;
this.targetduration = 0;
this.totalduration = 0;
this.type = null;
this.url = void 0;
this.m3u8 = '';
this.version = null;
this.canBlockReload = false;
this.canSkipUntil = 0;
this.canSkipDateRanges = false;
this.skippedSegments = 0;
this.recentlyRemovedDateranges = void 0;
this.partHoldBack = 0;
this.holdBack = 0;
this.partTarget = 0;
this.preloadHint = void 0;
this.renditionReports = void 0;
this.tuneInGoal = 0;
this.deltaUpdateFailed = void 0;
this.fragments = [];
this.url = baseUrl;
}
var _proto = LevelDetails.prototype;
_proto.reloaded = function reloaded(previous) {
if (!previous) {
this.advanced = true;
this.updated = true;
return;
}
var partSnDiff = this.lastPartSn - previous.lastPartSn;
var partIndexDiff = this.lastPartIndex - previous.lastPartIndex;
this.updated = this.endSN !== previous.endSN || !!partIndexDiff || !!partSnDiff;
this.advanced = this.endSN > previous.endSN || partSnDiff > 0 || partSnDiff === 0 && partIndexDiff > 0;
if (this.updated || this.advanced) {
this.misses = Math.floor(previous.misses * 0.6);
} else {
this.misses = previous.misses + 1;
}
this.availabilityDelay = previous.availabilityDelay;
};
_createClass(LevelDetails, [{
key: "hasProgramDateTime",
get: function get() {
if (this.fragments.length) {
return Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(this.fragments[this.fragments.length - 1].programDateTime);
}
return false;
}
}, {
key: "levelTargetDuration",
get: function get() {
return this.averagetargetduration || this.targetduration || DEFAULT_TARGET_DURATION;
}
}, {
key: "edge",
get: function get() {
return this.partEnd || this.fragmentEnd;
}
}, {
key: "partEnd",
get: function get() {
var _this$partList;
if ((_this$partList = this.partList) !== null && _this$partList !== void 0 && _this$partList.length) {
return this.partList[this.partList.length - 1].end;
}
return this.fragmentEnd;
}
}, {
key: "fragmentEnd",
get: function get() {
var _this$fragments;
if ((_this$fragments = this.fragments) !== null && _this$fragments !== void 0 && _this$fragments.length) {
return this.fragments[this.fragments.length - 1].end;
}
return 0;
}
}, {
key: "age",
get: function get() {
if (this.advancedDateTime) {
return Math.max(Date.now() - this.advancedDateTime, 0) / 1000;
}
return 0;
}
}, {
key: "lastPartIndex",
get: function get() {
var _this$partList2;
if ((_this$partList2 = this.partList) !== null && _this$partList2 !== void 0 && _this$partList2.length) {
return this.partList[this.partList.length - 1].index;
}
return -1;
}
}, {
key: "lastPartSn",
get: function get() {
var _this$partList3;
if ((_this$partList3 = this.partList) !== null && _this$partList3 !== void 0 && _this$partList3.length) {
return this.partList[this.partList.length - 1].fragment.sn;
}
return this.endSN;
}
}]);
return LevelDetails;
}();
/***/ }),
/***/ "./src/loader/level-key.ts":
/*!*********************************!*\
!*** ./src/loader/level-key.ts ***!
\*********************************/
/*! exports provided: LevelKey */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "LevelKey", function() { return LevelKey; });
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! url-toolkit */ "./node_modules/url-toolkit/src/url-toolkit.js");
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(url_toolkit__WEBPACK_IMPORTED_MODULE_0__);
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
var LevelKey = /*#__PURE__*/function () {
LevelKey.fromURL = function fromURL(baseUrl, relativeUrl) {
return new LevelKey(baseUrl, relativeUrl);
};
LevelKey.fromURI = function fromURI(uri) {
return new LevelKey(uri);
};
function LevelKey(absoluteOrBaseURI, relativeURL) {
this._uri = null;
this.method = null;
this.keyFormat = null;
this.keyFormatVersions = null;
this.keyID = null;
this.key = null;
this.iv = null;
if (relativeURL) {
this._uri = Object(url_toolkit__WEBPACK_IMPORTED_MODULE_0__["buildAbsoluteURL"])(absoluteOrBaseURI, relativeURL, {
alwaysNormalize: true
});
} else {
this._uri = absoluteOrBaseURI;
}
}
_createClass(LevelKey, [{
key: "uri",
get: function get() {
return this._uri;
}
}]);
return LevelKey;
}();
/***/ }),
/***/ "./src/loader/load-stats.ts":
/*!**********************************!*\
!*** ./src/loader/load-stats.ts ***!
\**********************************/
/*! exports provided: LoadStats */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "LoadStats", function() { return LoadStats; });
var LoadStats = function LoadStats() {
this.aborted = false;
this.loaded = 0;
this.retry = 0;
this.total = 0;
this.chunkCount = 0;
this.bwEstimate = 0;
this.loading = {
start: 0,
first: 0,
end: 0
};
this.parsing = {
start: 0,
end: 0
};
this.buffering = {
start: 0,
first: 0,
end: 0
};
};
/***/ }),
/***/ "./src/loader/m3u8-parser.ts":
/*!***********************************!*\
!*** ./src/loader/m3u8-parser.ts ***!
\***********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return M3U8Parser; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! url-toolkit */ "./node_modules/url-toolkit/src/url-toolkit.js");
/* harmony import */ var url_toolkit__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(url_toolkit__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _fragment__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./fragment */ "./src/loader/fragment.ts");
/* harmony import */ var _level_details__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./level-details */ "./src/loader/level-details.ts");
/* harmony import */ var _level_key__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./level-key */ "./src/loader/level-key.ts");
/* harmony import */ var _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/attr-list */ "./src/utils/attr-list.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _utils_codecs__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../utils/codecs */ "./src/utils/codecs.ts");
// https://regex101.com is your friend
var MASTER_PLAYLIST_REGEX = /#EXT-X-STREAM-INF:([^\r\n]*)(?:[\r\n](?:#[^\r\n]*)?)*([^\r\n]+)|#EXT-X-SESSION-DATA:([^\r\n]*)[\r\n]+/g;
var MASTER_PLAYLIST_MEDIA_REGEX = /#EXT-X-MEDIA:(.*)/g;
var LEVEL_PLAYLIST_REGEX_FAST = new RegExp([/#EXTINF:\s*(\d*(?:\.\d+)?)(?:,(.*)\s+)?/.source, // duration (#EXTINF:<duration>,<title>), group 1 => duration, group 2 => title
/(?!#) *(\S[\S ]*)/.source, // segment URI, group 3 => the URI (note newline is not eaten)
/#EXT-X-BYTERANGE:*(.+)/.source, // next segment's byterange, group 4 => range spec (x@y)
/#EXT-X-PROGRAM-DATE-TIME:(.+)/.source, // next segment's program date/time group 5 => the datetime spec
/#.*/.source // All other non-segment oriented tags will match with all groups empty
].join('|'), 'g');
var LEVEL_PLAYLIST_REGEX_SLOW = new RegExp([/#(EXTM3U)/.source, /#EXT-X-(PLAYLIST-TYPE):(.+)/.source, /#EXT-X-(MEDIA-SEQUENCE): *(\d+)/.source, /#EXT-X-(SKIP):(.+)/.source, /#EXT-X-(TARGETDURATION): *(\d+)/.source, /#EXT-X-(KEY):(.+)/.source, /#EXT-X-(START):(.+)/.source, /#EXT-X-(ENDLIST)/.source, /#EXT-X-(DISCONTINUITY-SEQ)UENCE: *(\d+)/.source, /#EXT-X-(DIS)CONTINUITY/.source, /#EXT-X-(VERSION):(\d+)/.source, /#EXT-X-(MAP):(.+)/.source, /#EXT-X-(SERVER-CONTROL):(.+)/.source, /#EXT-X-(PART-INF):(.+)/.source, /#EXT-X-(GAP)/.source, /#EXT-X-(BITRATE):\s*(\d+)/.source, /#EXT-X-(PART):(.+)/.source, /#EXT-X-(PRELOAD-HINT):(.+)/.source, /#EXT-X-(RENDITION-REPORT):(.+)/.source, /(#)([^:]*):(.*)/.source, /(#)(.*)(?:.*)\r?\n?/.source].join('|'));
var MP4_REGEX_SUFFIX = /\.(mp4|m4s|m4v|m4a)$/i;
var M3U8Parser = /*#__PURE__*/function () {
function M3U8Parser() {}
M3U8Parser.findGroup = function findGroup(groups, mediaGroupId) {
for (var i = 0; i < groups.length; i++) {
var group = groups[i];
if (group.id === mediaGroupId) {
return group;
}
}
};
M3U8Parser.convertAVC1ToAVCOTI = function convertAVC1ToAVCOTI(codec) {
// Convert avc1 codec string from RFC-4281 to RFC-6381 for MediaSource.isTypeSupported
var avcdata = codec.split('.');
if (avcdata.length > 2) {
var result = avcdata.shift() + '.';
result += parseInt(avcdata.shift()).toString(16);
result += ('000' + parseInt(avcdata.shift()).toString(16)).substr(-4);
return result;
}
return codec;
};
M3U8Parser.resolve = function resolve(url, baseUrl) {
return url_toolkit__WEBPACK_IMPORTED_MODULE_1__["buildAbsoluteURL"](baseUrl, url, {
alwaysNormalize: true
});
};
M3U8Parser.parseMasterPlaylist = function parseMasterPlaylist(string, baseurl) {
var levels = [];
var sessionData = {};
var hasSessionData = false;
MASTER_PLAYLIST_REGEX.lastIndex = 0;
var result;
while ((result = MASTER_PLAYLIST_REGEX.exec(string)) != null) {
if (result[1]) {
// '#EXT-X-STREAM-INF' is found, parse level tag in group 1
var attrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](result[1]);
var level = {
attrs: attrs,
bitrate: attrs.decimalInteger('AVERAGE-BANDWIDTH') || attrs.decimalInteger('BANDWIDTH'),
name: attrs.NAME,
url: M3U8Parser.resolve(result[2], baseurl)
};
var resolution = attrs.decimalResolution('RESOLUTION');
if (resolution) {
level.width = resolution.width;
level.height = resolution.height;
}
setCodecs((attrs.CODECS || '').split(/[ ,]+/).filter(function (c) {
return c;
}), level);
if (level.videoCodec && level.videoCodec.indexOf('avc1') !== -1) {
level.videoCodec = M3U8Parser.convertAVC1ToAVCOTI(level.videoCodec);
}
levels.push(level);
} else if (result[3]) {
// '#EXT-X-SESSION-DATA' is found, parse session data in group 3
var sessionAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](result[3]);
if (sessionAttrs['DATA-ID']) {
hasSessionData = true;
sessionData[sessionAttrs['DATA-ID']] = sessionAttrs;
}
}
}
return {
levels: levels,
sessionData: hasSessionData ? sessionData : null
};
};
M3U8Parser.parseMasterPlaylistMedia = function parseMasterPlaylistMedia(string, baseurl, type, groups) {
if (groups === void 0) {
groups = [];
}
var result;
var medias = [];
var id = 0;
MASTER_PLAYLIST_MEDIA_REGEX.lastIndex = 0;
while ((result = MASTER_PLAYLIST_MEDIA_REGEX.exec(string)) !== null) {
var attrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](result[1]);
if (attrs.TYPE === type) {
var media = {
attrs: attrs,
bitrate: 0,
id: id++,
groupId: attrs['GROUP-ID'],
instreamId: attrs['INSTREAM-ID'],
name: attrs.NAME || attrs.LANGUAGE || '',
type: type,
default: attrs.bool('DEFAULT'),
autoselect: attrs.bool('AUTOSELECT'),
forced: attrs.bool('FORCED'),
lang: attrs.LANGUAGE,
url: attrs.URI ? M3U8Parser.resolve(attrs.URI, baseurl) : ''
};
if (groups.length) {
// If there are audio or text groups signalled in the manifest, let's look for a matching codec string for this track
// If we don't find the track signalled, lets use the first audio groups codec we have
// Acting as a best guess
var groupCodec = M3U8Parser.findGroup(groups, media.groupId) || groups[0];
assignCodec(media, groupCodec, 'audioCodec');
assignCodec(media, groupCodec, 'textCodec');
}
medias.push(media);
}
}
return medias;
};
M3U8Parser.parseLevelPlaylist = function parseLevelPlaylist(string, baseurl, id, type, levelUrlId) {
var level = new _level_details__WEBPACK_IMPORTED_MODULE_3__["LevelDetails"](baseurl);
var fragments = level.fragments;
var currentSN = 0;
var currentPart = 0;
var totalduration = 0;
var discontinuityCounter = 0;
var prevFrag = null;
var frag = new _fragment__WEBPACK_IMPORTED_MODULE_2__["Fragment"](type, baseurl);
var result;
var i;
var levelkey;
var firstPdtIndex = -1;
LEVEL_PLAYLIST_REGEX_FAST.lastIndex = 0;
level.m3u8 = string;
while ((result = LEVEL_PLAYLIST_REGEX_FAST.exec(string)) !== null) {
var duration = result[1];
if (duration) {
// INF
frag.duration = parseFloat(duration); // avoid sliced strings https://github.com/video-dev/hls.js/issues/939
var title = (' ' + result[2]).slice(1);
frag.title = title || null;
frag.tagList.push(title ? ['INF', duration, title] : ['INF', duration]);
} else if (result[3]) {
// url
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(frag.duration)) {
frag.start = totalduration;
if (levelkey) {
frag.levelkey = levelkey;
}
frag.sn = currentSN;
frag.level = id;
frag.cc = discontinuityCounter;
frag.urlId = levelUrlId;
fragments.push(frag); // avoid sliced strings https://github.com/video-dev/hls.js/issues/939
frag.relurl = (' ' + result[3]).slice(1);
assignProgramDateTime(frag, prevFrag);
prevFrag = frag;
totalduration += frag.duration;
currentSN++;
currentPart = 0;
frag = new _fragment__WEBPACK_IMPORTED_MODULE_2__["Fragment"](type, baseurl); // setup the next fragment for part loading
frag.start = totalduration;
frag.sn = currentSN;
frag.cc = discontinuityCounter;
frag.level = id;
}
} else if (result[4]) {
// X-BYTERANGE
var data = (' ' + result[4]).slice(1);
if (prevFrag) {
frag.setByteRange(data, prevFrag);
} else {
frag.setByteRange(data);
}
} else if (result[5]) {
// PROGRAM-DATE-TIME
// avoid sliced strings https://github.com/video-dev/hls.js/issues/939
frag.rawProgramDateTime = (' ' + result[5]).slice(1);
frag.tagList.push(['PROGRAM-DATE-TIME', frag.rawProgramDateTime]);
if (firstPdtIndex === -1) {
firstPdtIndex = fragments.length;
}
} else {
result = result[0].match(LEVEL_PLAYLIST_REGEX_SLOW);
if (!result) {
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].warn('No matches on slow regex match for level playlist!');
continue;
}
for (i = 1; i < result.length; i++) {
if (typeof result[i] !== 'undefined') {
break;
}
} // avoid sliced strings https://github.com/video-dev/hls.js/issues/939
var tag = (' ' + result[i]).slice(1);
var value1 = (' ' + result[i + 1]).slice(1);
var value2 = result[i + 2] ? (' ' + result[i + 2]).slice(1) : '';
switch (tag) {
case 'PLAYLIST-TYPE':
level.type = value1.toUpperCase();
break;
case 'MEDIA-SEQUENCE':
currentSN = level.startSN = parseInt(value1);
break;
case 'SKIP':
{
var skipAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
var skippedSegments = skipAttrs.decimalInteger('SKIPPED-SEGMENTS');
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(skippedSegments)) {
level.skippedSegments = skippedSegments; // This will result in fragments[] containing undefined values, which we will fill in with `mergeDetails`
for (var _i = skippedSegments; _i--;) {
fragments.unshift(null);
}
currentSN += skippedSegments;
}
var recentlyRemovedDateranges = skipAttrs.enumeratedString('RECENTLY-REMOVED-DATERANGES');
if (recentlyRemovedDateranges) {
level.recentlyRemovedDateranges = recentlyRemovedDateranges.split('\t');
}
break;
}
case 'TARGETDURATION':
level.targetduration = parseFloat(value1);
break;
case 'VERSION':
level.version = parseInt(value1);
break;
case 'EXTM3U':
break;
case 'ENDLIST':
level.live = false;
break;
case '#':
if (value1 || value2) {
frag.tagList.push(value2 ? [value1, value2] : [value1]);
}
break;
case 'DIS':
discontinuityCounter++;
/* falls through */
case 'GAP':
frag.tagList.push([tag]);
break;
case 'BITRATE':
frag.tagList.push([tag, value1]);
break;
case 'DISCONTINUITY-SEQ':
discontinuityCounter = parseInt(value1);
break;
case 'KEY':
{
var _keyAttrs$enumeratedS;
// https://tools.ietf.org/html/rfc8216#section-4.3.2.4
var keyAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
var decryptmethod = keyAttrs.enumeratedString('METHOD');
var decrypturi = keyAttrs.URI;
var decryptiv = keyAttrs.hexadecimalInteger('IV');
var decryptkeyformatversions = keyAttrs.enumeratedString('KEYFORMATVERSIONS');
var decryptkeyid = keyAttrs.enumeratedString('KEYID'); // From RFC: This attribute is OPTIONAL; its absence indicates an implicit value of "identity".
var decryptkeyformat = (_keyAttrs$enumeratedS = keyAttrs.enumeratedString('KEYFORMAT')) != null ? _keyAttrs$enumeratedS : 'identity';
var unsupportedKnownKeyformatsInManifest = ['com.apple.streamingkeydelivery', 'com.microsoft.playready', 'urn:uuid:edef8ba9-79d6-4ace-a3c8-27dcd51d21ed', // widevine (v2)
'com.widevine' // earlier widevine (v1)
];
if (unsupportedKnownKeyformatsInManifest.indexOf(decryptkeyformat) > -1) {
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].warn("Keyformat " + decryptkeyformat + " is not supported from the manifest");
continue;
} else if (decryptkeyformat !== 'identity') {
// We are supposed to skip keys we don't understand.
// As we currently only officially support identity keys
// from the manifest we shouldn't save any other key.
continue;
} // TODO: multiple keys can be defined on a fragment, and we need to support this
// for clients that support both playready and widevine
if (decryptmethod) {
// TODO: need to determine if the level key is actually a relative URL
// if it isn't, then we should instead construct the LevelKey using fromURI.
levelkey = _level_key__WEBPACK_IMPORTED_MODULE_4__["LevelKey"].fromURL(baseurl, decrypturi);
if (decrypturi && ['AES-128', 'SAMPLE-AES', 'SAMPLE-AES-CENC'].indexOf(decryptmethod) >= 0) {
levelkey.method = decryptmethod;
levelkey.keyFormat = decryptkeyformat;
if (decryptkeyid) {
levelkey.keyID = decryptkeyid;
}
if (decryptkeyformatversions) {
levelkey.keyFormatVersions = decryptkeyformatversions;
} // Initialization Vector (IV)
levelkey.iv = decryptiv;
}
}
break;
}
case 'START':
{
var startAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
var startTimeOffset = startAttrs.decimalFloatingPoint('TIME-OFFSET'); // TIME-OFFSET can be 0
if (Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(startTimeOffset)) {
level.startTimeOffset = startTimeOffset;
}
break;
}
case 'MAP':
{
var mapAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
frag.relurl = mapAttrs.URI;
if (mapAttrs.BYTERANGE) {
frag.setByteRange(mapAttrs.BYTERANGE);
}
frag.level = id;
frag.sn = 'initSegment';
if (levelkey) {
frag.levelkey = levelkey;
}
level.initSegment = frag;
frag = new _fragment__WEBPACK_IMPORTED_MODULE_2__["Fragment"](type, baseurl);
frag.rawProgramDateTime = level.initSegment.rawProgramDateTime;
break;
}
case 'SERVER-CONTROL':
{
var serverControlAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
level.canBlockReload = serverControlAttrs.bool('CAN-BLOCK-RELOAD');
level.canSkipUntil = serverControlAttrs.optionalFloat('CAN-SKIP-UNTIL', 0);
level.canSkipDateRanges = level.canSkipUntil > 0 && serverControlAttrs.bool('CAN-SKIP-DATERANGES');
level.partHoldBack = serverControlAttrs.optionalFloat('PART-HOLD-BACK', 0);
level.holdBack = serverControlAttrs.optionalFloat('HOLD-BACK', 0);
break;
}
case 'PART-INF':
{
var partInfAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
level.partTarget = partInfAttrs.decimalFloatingPoint('PART-TARGET');
break;
}
case 'PART':
{
var partList = level.partList;
if (!partList) {
partList = level.partList = [];
}
var previousFragmentPart = currentPart > 0 ? partList[partList.length - 1] : undefined;
var index = currentPart++;
var part = new _fragment__WEBPACK_IMPORTED_MODULE_2__["Part"](new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1), frag, baseurl, index, previousFragmentPart);
partList.push(part);
frag.duration += part.duration;
break;
}
case 'PRELOAD-HINT':
{
var preloadHintAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
level.preloadHint = preloadHintAttrs;
break;
}
case 'RENDITION-REPORT':
{
var renditionReportAttrs = new _utils_attr_list__WEBPACK_IMPORTED_MODULE_5__["AttrList"](value1);
level.renditionReports = level.renditionReports || [];
level.renditionReports.push(renditionReportAttrs);
break;
}
default:
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].warn("line parsed but not handled: " + result);
break;
}
}
}
if (prevFrag && !prevFrag.relurl) {
fragments.pop();
totalduration -= prevFrag.duration;
if (level.partList) {
level.fragmentHint = prevFrag;
}
} else if (level.partList) {
assignProgramDateTime(frag, prevFrag);
frag.cc = discontinuityCounter;
level.fragmentHint = frag;
}
var fragmentLength = fragments.length;
var firstFragment = fragments[0];
var lastFragment = fragments[fragmentLength - 1];
totalduration += level.skippedSegments * level.targetduration;
if (totalduration > 0 && fragmentLength && lastFragment) {
level.averagetargetduration = totalduration / fragmentLength;
var lastSn = lastFragment.sn;
level.endSN = lastSn !== 'initSegment' ? lastSn : 0;
if (firstFragment) {
level.startCC = firstFragment.cc;
if (!level.initSegment) {
// this is a bit lurky but HLS really has no other way to tell us
// if the fragments are TS or MP4, except if we download them :/
// but this is to be able to handle SIDX.
if (level.fragments.every(function (frag) {
return MP4_REGEX_SUFFIX.test(frag.relurl);
})) {
_utils_logger__WEBPACK_IMPORTED_MODULE_6__["logger"].warn('MP4 fragments found but no init segment (probably no MAP, incomplete M3U8), trying to fetch SIDX');
frag = new _fragment__WEBPACK_IMPORTED_MODULE_2__["Fragment"](type, baseurl);
frag.relurl = lastFragment.relurl;
frag.level = id;
frag.sn = 'initSegment';
level.initSegment = frag;
level.needSidxRanges = true;
}
}
}
} else {
level.endSN = 0;
level.startCC = 0;
}
if (level.fragmentHint) {
totalduration += level.fragmentHint.duration;
}
level.totalduration = totalduration;
level.endCC = discontinuityCounter;
/**
* Backfill any missing PDT values
* "If the first EXT-X-PROGRAM-DATE-TIME tag in a Playlist appears after
* one or more Media Segment URIs, the client SHOULD extrapolate
* backward from that tag (using EXTINF durations and/or media
* timestamps) to associate dates with those segments."
* We have already extrapolated forward, but all fragments up to the first instance of PDT do not have their PDTs
* computed.
*/
if (firstPdtIndex > 0) {
backfillProgramDateTimes(fragments, firstPdtIndex);
}
return level;
};
return M3U8Parser;
}();
function setCodecs(codecs, level) {
['video', 'audio', 'text'].forEach(function (type) {
var filtered = codecs.filter(function (codec) {
return Object(_utils_codecs__WEBPACK_IMPORTED_MODULE_7__["isCodecType"])(codec, type);
});
if (filtered.length) {
var preferred = filtered.filter(function (codec) {
return codec.lastIndexOf('avc1', 0) === 0 || codec.lastIndexOf('mp4a', 0) === 0;
});
level[type + "Codec"] = preferred.length > 0 ? preferred[0] : filtered[0]; // remove from list
codecs = codecs.filter(function (codec) {
return filtered.indexOf(codec) === -1;
});
}
});
level.unknownCodecs = codecs;
}
function assignCodec(media, groupItem, codecProperty) {
var codecValue = groupItem[codecProperty];
if (codecValue) {
media[codecProperty] = codecValue;
}
}
function backfillProgramDateTimes(fragments, firstPdtIndex) {
var fragPrev = fragments[firstPdtIndex];
for (var i = firstPdtIndex; i--;) {
var frag = fragments[i]; // Exit on delta-playlist skipped segments
if (!frag) {
return;
}
frag.programDateTime = fragPrev.programDateTime - frag.duration * 1000;
fragPrev = frag;
}
}
function assignProgramDateTime(frag, prevFrag) {
if (frag.rawProgramDateTime) {
frag.programDateTime = Date.parse(frag.rawProgramDateTime);
} else if (prevFrag !== null && prevFrag !== void 0 && prevFrag.programDateTime) {
frag.programDateTime = prevFrag.endProgramDateTime;
}
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(frag.programDateTime)) {
frag.programDateTime = null;
frag.rawProgramDateTime = null;
}
}
/***/ }),
/***/ "./src/loader/playlist-loader.ts":
/*!***************************************!*\
!*** ./src/loader/playlist-loader.ts ***!
\***************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _m3u8_parser__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./m3u8-parser */ "./src/loader/m3u8-parser.ts");
/* harmony import */ var _types_loader__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../types/loader */ "./src/types/loader.ts");
/* harmony import */ var _utils_attr_list__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../utils/attr-list */ "./src/utils/attr-list.ts");
/**
* PlaylistLoader - delegate for media manifest/playlist loading tasks. Takes care of parsing media to internal data-models.
*
* Once loaded, dispatches events with parsed data-models of manifest/levels/audio/subtitle tracks.
*
* Uses loader(s) set in config to do actual internal loading of resource tasks.
*
* @module
*
*/
function mapContextToLevelType(context) {
var type = context.type;
switch (type) {
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK:
return _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].AUDIO;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK:
return _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].SUBTITLE;
default:
return _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistLevelType"].MAIN;
}
}
function getResponseUrl(response, context) {
var url = response.url; // responseURL not supported on some browsers (it is used to detect URL redirection)
// data-uri mode also not supported (but no need to detect redirection)
if (url === undefined || url.indexOf('data:') === 0) {
// fallback to initial URL
url = context.url;
}
return url;
}
var PlaylistLoader = /*#__PURE__*/function () {
function PlaylistLoader(hls) {
this.hls = void 0;
this.loaders = Object.create(null);
this.checkAgeHeader = true;
this.hls = hls;
this.registerListeners();
}
var _proto = PlaylistLoader.prototype;
_proto.registerListeners = function registerListeners() {
var hls = this.hls;
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADING, this.onManifestLoading, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_LOADING, this.onLevelLoading, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].AUDIO_TRACK_LOADING, this.onAudioTrackLoading, this);
hls.on(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].SUBTITLE_TRACK_LOADING, this.onSubtitleTrackLoading, this);
};
_proto.unregisterListeners = function unregisterListeners() {
var hls = this.hls;
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADING, this.onManifestLoading, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_LOADING, this.onLevelLoading, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].AUDIO_TRACK_LOADING, this.onAudioTrackLoading, this);
hls.off(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].SUBTITLE_TRACK_LOADING, this.onSubtitleTrackLoading, this);
}
/**
* Returns defaults or configured loader-type overloads (pLoader and loader config params)
*/
;
_proto.createInternalLoader = function createInternalLoader(context) {
var config = this.hls.config;
var PLoader = config.pLoader;
var Loader = config.loader;
var InternalLoader = PLoader || Loader;
var loader = new InternalLoader(config);
context.loader = loader;
this.loaders[context.type] = loader;
return loader;
};
_proto.getInternalLoader = function getInternalLoader(context) {
return this.loaders[context.type];
};
_proto.resetInternalLoader = function resetInternalLoader(contextType) {
if (this.loaders[contextType]) {
delete this.loaders[contextType];
}
}
/**
* Call `destroy` on all internal loader instances mapped (one per context type)
*/
;
_proto.destroyInternalLoaders = function destroyInternalLoaders() {
for (var contextType in this.loaders) {
var loader = this.loaders[contextType];
if (loader) {
loader.destroy();
}
this.resetInternalLoader(contextType);
}
};
_proto.destroy = function destroy() {
this.unregisterListeners();
this.destroyInternalLoaders();
};
_proto.onManifestLoading = function onManifestLoading(event, data) {
var url = data.url;
this.checkAgeHeader = true;
this.load({
id: null,
groupId: null,
level: 0,
responseType: 'text',
type: _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].MANIFEST,
url: url,
deliveryDirectives: null
});
};
_proto.onLevelLoading = function onLevelLoading(event, data) {
var id = data.id,
level = data.level,
url = data.url,
deliveryDirectives = data.deliveryDirectives;
this.load({
id: id,
groupId: null,
level: level,
responseType: 'text',
type: _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].LEVEL,
url: url,
deliveryDirectives: deliveryDirectives
});
};
_proto.onAudioTrackLoading = function onAudioTrackLoading(event, data) {
var id = data.id,
groupId = data.groupId,
url = data.url,
deliveryDirectives = data.deliveryDirectives;
this.load({
id: id,
groupId: groupId,
level: null,
responseType: 'text',
type: _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK,
url: url,
deliveryDirectives: deliveryDirectives
});
};
_proto.onSubtitleTrackLoading = function onSubtitleTrackLoading(event, data) {
var id = data.id,
groupId = data.groupId,
url = data.url,
deliveryDirectives = data.deliveryDirectives;
this.load({
id: id,
groupId: groupId,
level: null,
responseType: 'text',
type: _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK,
url: url,
deliveryDirectives: deliveryDirectives
});
};
_proto.load = function load(context) {
var _context$deliveryDire;
var config = this.hls.config; // logger.debug(`[playlist-loader]: Loading playlist of type ${context.type}, level: ${context.level}, id: ${context.id}`);
// Check if a loader for this context already exists
var loader = this.getInternalLoader(context);
if (loader) {
var loaderContext = loader.context;
if (loaderContext && loaderContext.url === context.url) {
// same URL can't overlap
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].trace('[playlist-loader]: playlist request ongoing');
return;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].log("[playlist-loader]: aborting previous loader for type: " + context.type);
loader.abort();
}
var maxRetry;
var timeout;
var retryDelay;
var maxRetryDelay; // apply different configs for retries depending on
// context (manifest, level, audio/subs playlist)
switch (context.type) {
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].MANIFEST:
maxRetry = config.manifestLoadingMaxRetry;
timeout = config.manifestLoadingTimeOut;
retryDelay = config.manifestLoadingRetryDelay;
maxRetryDelay = config.manifestLoadingMaxRetryTimeout;
break;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].LEVEL:
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK:
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK:
// Manage retries in Level/Track Controller
maxRetry = 0;
timeout = config.levelLoadingTimeOut;
break;
default:
maxRetry = config.levelLoadingMaxRetry;
timeout = config.levelLoadingTimeOut;
retryDelay = config.levelLoadingRetryDelay;
maxRetryDelay = config.levelLoadingMaxRetryTimeout;
break;
}
loader = this.createInternalLoader(context); // Override level/track timeout for LL-HLS requests
// (the default of 10000ms is counter productive to blocking playlist reload requests)
if ((_context$deliveryDire = context.deliveryDirectives) !== null && _context$deliveryDire !== void 0 && _context$deliveryDire.part) {
var levelDetails;
if (context.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].LEVEL && context.level !== null) {
levelDetails = this.hls.levels[context.level].details;
} else if (context.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK && context.id !== null) {
levelDetails = this.hls.audioTracks[context.id].details;
} else if (context.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK && context.id !== null) {
levelDetails = this.hls.subtitleTracks[context.id].details;
}
if (levelDetails) {
var partTarget = levelDetails.partTarget;
var targetDuration = levelDetails.targetduration;
if (partTarget && targetDuration) {
timeout = Math.min(Math.max(partTarget * 3, targetDuration * 0.8) * 1000, timeout);
}
}
}
var loaderConfig = {
timeout: timeout,
maxRetry: maxRetry,
retryDelay: retryDelay,
maxRetryDelay: maxRetryDelay,
highWaterMark: 0
};
var loaderCallbacks = {
onSuccess: this.loadsuccess.bind(this),
onError: this.loaderror.bind(this),
onTimeout: this.loadtimeout.bind(this)
}; // logger.debug(`[playlist-loader]: Calling internal loader delegate for URL: ${context.url}`);
loader.load(context, loaderConfig, loaderCallbacks);
};
_proto.loadsuccess = function loadsuccess(response, stats, context, networkDetails) {
if (networkDetails === void 0) {
networkDetails = null;
}
if (context.isSidxRequest) {
this.handleSidxRequest(response, context);
this.handlePlaylistLoaded(response, stats, context, networkDetails);
return;
}
this.resetInternalLoader(context.type);
var string = response.data; // Validate if it is an M3U8 at all
if (string.indexOf('#EXTM3U') !== 0) {
this.handleManifestParsingError(response, context, 'no EXTM3U delimiter', networkDetails);
return;
}
stats.parsing.start = performance.now(); // Check if chunk-list or master. handle empty chunk list case (first EXTINF not signaled, but TARGETDURATION present)
if (string.indexOf('#EXTINF:') > 0 || string.indexOf('#EXT-X-TARGETDURATION:') > 0) {
this.handleTrackOrLevelPlaylist(response, stats, context, networkDetails);
} else {
this.handleMasterPlaylist(response, stats, context, networkDetails);
}
};
_proto.loaderror = function loaderror(response, context, networkDetails) {
if (networkDetails === void 0) {
networkDetails = null;
}
this.handleNetworkError(context, networkDetails, false, response);
};
_proto.loadtimeout = function loadtimeout(stats, context, networkDetails) {
if (networkDetails === void 0) {
networkDetails = null;
}
this.handleNetworkError(context, networkDetails, true);
};
_proto.handleMasterPlaylist = function handleMasterPlaylist(response, stats, context, networkDetails) {
var hls = this.hls;
var string = response.data;
var url = getResponseUrl(response, context);
var _M3U8Parser$parseMast = _m3u8_parser__WEBPACK_IMPORTED_MODULE_5__["default"].parseMasterPlaylist(string, url),
levels = _M3U8Parser$parseMast.levels,
sessionData = _M3U8Parser$parseMast.sessionData;
if (!levels.length) {
this.handleManifestParsingError(response, context, 'no level found in manifest', networkDetails);
return;
} // multi level playlist, parse level info
var audioGroups = levels.map(function (level) {
return {
id: level.attrs.AUDIO,
audioCodec: level.audioCodec
};
});
var subtitleGroups = levels.map(function (level) {
return {
id: level.attrs.SUBTITLES,
textCodec: level.textCodec
};
});
var audioTracks = _m3u8_parser__WEBPACK_IMPORTED_MODULE_5__["default"].parseMasterPlaylistMedia(string, url, 'AUDIO', audioGroups);
var subtitles = _m3u8_parser__WEBPACK_IMPORTED_MODULE_5__["default"].parseMasterPlaylistMedia(string, url, 'SUBTITLES', subtitleGroups);
var captions = _m3u8_parser__WEBPACK_IMPORTED_MODULE_5__["default"].parseMasterPlaylistMedia(string, url, 'CLOSED-CAPTIONS');
if (audioTracks.length) {
// check if we have found an audio track embedded in main playlist (audio track without URI attribute)
var embeddedAudioFound = audioTracks.some(function (audioTrack) {
return !audioTrack.url;
}); // if no embedded audio track defined, but audio codec signaled in quality level,
// we need to signal this main audio track this could happen with playlists with
// alt audio rendition in which quality levels (main)
// contains both audio+video. but with mixed audio track not signaled
if (!embeddedAudioFound && levels[0].audioCodec && !levels[0].attrs.AUDIO) {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].log('[playlist-loader]: audio codec signaled in quality level, but no embedded audio track signaled, create one');
audioTracks.unshift({
type: 'main',
name: 'main',
default: false,
autoselect: false,
forced: false,
id: -1,
attrs: new _utils_attr_list__WEBPACK_IMPORTED_MODULE_7__["AttrList"]({}),
bitrate: 0,
url: ''
});
}
}
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADED, {
levels: levels,
audioTracks: audioTracks,
subtitles: subtitles,
captions: captions,
url: url,
stats: stats,
networkDetails: networkDetails,
sessionData: sessionData
});
};
_proto.handleTrackOrLevelPlaylist = function handleTrackOrLevelPlaylist(response, stats, context, networkDetails) {
var hls = this.hls;
var id = context.id,
level = context.level,
type = context.type;
var url = getResponseUrl(response, context);
var levelUrlId = Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(id) ? id : 0;
var levelId = Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(level) ? level : levelUrlId;
var levelType = mapContextToLevelType(context);
var levelDetails = _m3u8_parser__WEBPACK_IMPORTED_MODULE_5__["default"].parseLevelPlaylist(response.data, url, levelId, levelType, levelUrlId);
if (!levelDetails.fragments.length) {
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].LEVEL_EMPTY_ERROR,
fatal: false,
url: url,
reason: 'no fragments found in level',
level: typeof context.level === 'number' ? context.level : undefined
});
return;
} // We have done our first request (Manifest-type) and receive
// not a master playlist but a chunk-list (track/level)
// We fire the manifest-loaded event anyway with the parsed level-details
// by creating a single-level structure for it.
if (type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].MANIFEST) {
var singleLevel = {
attrs: new _utils_attr_list__WEBPACK_IMPORTED_MODULE_7__["AttrList"]({}),
bitrate: 0,
details: levelDetails,
name: '',
url: url
};
hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].MANIFEST_LOADED, {
levels: [singleLevel],
audioTracks: [],
url: url,
stats: stats,
networkDetails: networkDetails,
sessionData: null
});
} // save parsing time
stats.parsing.end = performance.now(); // in case we need SIDX ranges
// return early after calling load for
// the SIDX box.
if (levelDetails.needSidxRanges) {
var sidxUrl = levelDetails.initSegment.url;
this.load({
url: sidxUrl,
isSidxRequest: true,
type: type,
level: level,
levelDetails: levelDetails,
id: id,
groupId: null,
rangeStart: 0,
rangeEnd: 2048,
responseType: 'arraybuffer',
deliveryDirectives: null
});
return;
} // extend the context with the new levelDetails property
context.levelDetails = levelDetails;
this.handlePlaylistLoaded(response, stats, context, networkDetails);
};
_proto.handleSidxRequest = function handleSidxRequest(response, context) {
var sidxInfo = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_4__["parseSegmentIndex"])(new Uint8Array(response.data)); // if provided fragment does not contain sidx, early return
if (!sidxInfo) {
return;
}
var sidxReferences = sidxInfo.references;
var levelDetails = context.levelDetails;
sidxReferences.forEach(function (segmentRef, index) {
var segRefInfo = segmentRef.info;
var frag = levelDetails.fragments[index];
if (frag.byteRange.length === 0) {
frag.setByteRange(String(1 + segRefInfo.end - segRefInfo.start) + '@' + String(segRefInfo.start));
}
});
levelDetails.initSegment.setByteRange(String(sidxInfo.moovEndOffset) + '@0');
};
_proto.handleManifestParsingError = function handleManifestParsingError(response, context, reason, networkDetails) {
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorTypes"].NETWORK_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].MANIFEST_PARSING_ERROR,
fatal: context.type === _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].MANIFEST,
url: response.url,
reason: reason,
response: response,
context: context,
networkDetails: networkDetails
});
};
_proto.handleNetworkError = function handleNetworkError(context, networkDetails, timeout, response) {
if (timeout === void 0) {
timeout = false;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn("[playlist-loader]: A network " + (timeout ? 'timeout' : 'error') + " occurred while loading " + context.type + " level: " + context.level + " id: " + context.id + " group-id: \"" + context.groupId + "\"");
var details = _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].UNKNOWN;
var fatal = false;
var loader = this.getInternalLoader(context);
switch (context.type) {
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].MANIFEST:
details = timeout ? _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].MANIFEST_LOAD_TIMEOUT : _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].MANIFEST_LOAD_ERROR;
fatal = true;
break;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].LEVEL:
details = timeout ? _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].LEVEL_LOAD_TIMEOUT : _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].LEVEL_LOAD_ERROR;
fatal = false;
break;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK:
details = timeout ? _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].AUDIO_TRACK_LOAD_TIMEOUT : _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].AUDIO_TRACK_LOAD_ERROR;
fatal = false;
break;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK:
details = timeout ? _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].SUBTITLE_TRACK_LOAD_TIMEOUT : _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorDetails"].SUBTITLE_LOAD_ERROR;
fatal = false;
break;
}
if (loader) {
this.resetInternalLoader(context.type);
}
var errorData = {
type: _errors__WEBPACK_IMPORTED_MODULE_2__["ErrorTypes"].NETWORK_ERROR,
details: details,
fatal: fatal,
url: context.url,
loader: loader,
context: context,
networkDetails: networkDetails
};
if (response) {
errorData.response = response;
}
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].ERROR, errorData);
};
_proto.handlePlaylistLoaded = function handlePlaylistLoaded(response, stats, context, networkDetails) {
var type = context.type,
level = context.level,
id = context.id,
groupId = context.groupId,
loader = context.loader,
levelDetails = context.levelDetails,
deliveryDirectives = context.deliveryDirectives;
if (!(levelDetails !== null && levelDetails !== void 0 && levelDetails.targetduration)) {
this.handleManifestParsingError(response, context, 'invalid target duration', networkDetails);
return;
}
if (!loader) {
return;
} // Avoid repeated browser error log `Refused to get unsafe header "age"` when unnecessary or past attempts failed
var checkAgeHeader = this.checkAgeHeader && levelDetails.live;
var ageHeader = checkAgeHeader ? loader.getResponseHeader('age') : null;
levelDetails.ageHeader = ageHeader ? parseFloat(ageHeader) : 0;
this.checkAgeHeader = !!ageHeader;
switch (type) {
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].MANIFEST:
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].LEVEL:
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].LEVEL_LOADED, {
details: levelDetails,
level: level || 0,
id: id || 0,
stats: stats,
networkDetails: networkDetails,
deliveryDirectives: deliveryDirectives
});
break;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].AUDIO_TRACK:
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].AUDIO_TRACK_LOADED, {
details: levelDetails,
id: id || 0,
groupId: groupId || '',
stats: stats,
networkDetails: networkDetails,
deliveryDirectives: deliveryDirectives
});
break;
case _types_loader__WEBPACK_IMPORTED_MODULE_6__["PlaylistContextType"].SUBTITLE_TRACK:
this.hls.trigger(_events__WEBPACK_IMPORTED_MODULE_1__["Events"].SUBTITLE_TRACK_LOADED, {
details: levelDetails,
id: id || 0,
groupId: groupId || '',
stats: stats,
networkDetails: networkDetails,
deliveryDirectives: deliveryDirectives
});
break;
}
};
return PlaylistLoader;
}();
/* harmony default export */ __webpack_exports__["default"] = (PlaylistLoader);
/***/ }),
/***/ "./src/polyfills/number.ts":
/*!*********************************!*\
!*** ./src/polyfills/number.ts ***!
\*********************************/
/*! exports provided: isFiniteNumber, MAX_SAFE_INTEGER */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isFiniteNumber", function() { return isFiniteNumber; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "MAX_SAFE_INTEGER", function() { return MAX_SAFE_INTEGER; });
var isFiniteNumber = Number.isFinite || function (value) {
return typeof value === 'number' && isFinite(value);
};
var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || 9007199254740991;
/***/ }),
/***/ "./src/remux/aac-helper.ts":
/*!*********************************!*\
!*** ./src/remux/aac-helper.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/**
* AAC helper
*/
var AAC = /*#__PURE__*/function () {
function AAC() {}
AAC.getSilentFrame = function getSilentFrame(codec, channelCount) {
switch (codec) {
case 'mp4a.40.2':
if (channelCount === 1) {
return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x23, 0x80]);
} else if (channelCount === 2) {
return new Uint8Array([0x21, 0x00, 0x49, 0x90, 0x02, 0x19, 0x00, 0x23, 0x80]);
} else if (channelCount === 3) {
return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x8e]);
} else if (channelCount === 4) {
return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x80, 0x2c, 0x80, 0x08, 0x02, 0x38]);
} else if (channelCount === 5) {
return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x82, 0x30, 0x04, 0x99, 0x00, 0x21, 0x90, 0x02, 0x38]);
} else if (channelCount === 6) {
return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x82, 0x30, 0x04, 0x99, 0x00, 0x21, 0x90, 0x02, 0x00, 0xb2, 0x00, 0x20, 0x08, 0xe0]);
}
break;
// handle HE-AAC below (mp4a.40.5 / mp4a.40.29)
default:
if (channelCount === 1) {
// ffmpeg -y -f lavfi -i "aevalsrc=0:d=0.05" -c:a libfdk_aac -profile:a aac_he -b:a 4k output.aac && hexdump -v -e '16/1 "0x%x," "\n"' -v output.aac
return new Uint8Array([0x1, 0x40, 0x22, 0x80, 0xa3, 0x4e, 0xe6, 0x80, 0xba, 0x8, 0x0, 0x0, 0x0, 0x1c, 0x6, 0xf1, 0xc1, 0xa, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5e]);
} else if (channelCount === 2) {
// ffmpeg -y -f lavfi -i "aevalsrc=0|0:d=0.05" -c:a libfdk_aac -profile:a aac_he_v2 -b:a 4k output.aac && hexdump -v -e '16/1 "0x%x," "\n"' -v output.aac
return new Uint8Array([0x1, 0x40, 0x22, 0x80, 0xa3, 0x5e, 0xe6, 0x80, 0xba, 0x8, 0x0, 0x0, 0x0, 0x0, 0x95, 0x0, 0x6, 0xf1, 0xa1, 0xa, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5e]);
} else if (channelCount === 3) {
// ffmpeg -y -f lavfi -i "aevalsrc=0|0|0:d=0.05" -c:a libfdk_aac -profile:a aac_he_v2 -b:a 4k output.aac && hexdump -v -e '16/1 "0x%x," "\n"' -v output.aac
return new Uint8Array([0x1, 0x40, 0x22, 0x80, 0xa3, 0x5e, 0xe6, 0x80, 0xba, 0x8, 0x0, 0x0, 0x0, 0x0, 0x95, 0x0, 0x6, 0xf1, 0xa1, 0xa, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5e]);
}
break;
}
return undefined;
};
return AAC;
}();
/* harmony default export */ __webpack_exports__["default"] = (AAC);
/***/ }),
/***/ "./src/remux/mp4-generator.ts":
/*!************************************!*\
!*** ./src/remux/mp4-generator.ts ***!
\************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/**
* Generate MP4 Box
*/
var UINT32_MAX = Math.pow(2, 32) - 1;
var MP4 = /*#__PURE__*/function () {
function MP4() {}
MP4.init = function init() {
MP4.types = {
avc1: [],
// codingname
avcC: [],
btrt: [],
dinf: [],
dref: [],
esds: [],
ftyp: [],
hdlr: [],
mdat: [],
mdhd: [],
mdia: [],
mfhd: [],
minf: [],
moof: [],
moov: [],
mp4a: [],
'.mp3': [],
mvex: [],
mvhd: [],
pasp: [],
sdtp: [],
stbl: [],
stco: [],
stsc: [],
stsd: [],
stsz: [],
stts: [],
tfdt: [],
tfhd: [],
traf: [],
trak: [],
trun: [],
trex: [],
tkhd: [],
vmhd: [],
smhd: []
};
var i;
for (i in MP4.types) {
if (MP4.types.hasOwnProperty(i)) {
MP4.types[i] = [i.charCodeAt(0), i.charCodeAt(1), i.charCodeAt(2), i.charCodeAt(3)];
}
}
var videoHdlr = new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x00, // pre_defined
0x76, 0x69, 0x64, 0x65, // handler_type: 'vide'
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, // reserved
0x56, 0x69, 0x64, 0x65, 0x6f, 0x48, 0x61, 0x6e, 0x64, 0x6c, 0x65, 0x72, 0x00 // name: 'VideoHandler'
]);
var audioHdlr = new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x00, // pre_defined
0x73, 0x6f, 0x75, 0x6e, // handler_type: 'soun'
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, // reserved
0x53, 0x6f, 0x75, 0x6e, 0x64, 0x48, 0x61, 0x6e, 0x64, 0x6c, 0x65, 0x72, 0x00 // name: 'SoundHandler'
]);
MP4.HDLR_TYPES = {
video: videoHdlr,
audio: audioHdlr
};
var dref = new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x01, // entry_count
0x00, 0x00, 0x00, 0x0c, // entry_size
0x75, 0x72, 0x6c, 0x20, // 'url' type
0x00, // version 0
0x00, 0x00, 0x01 // entry_flags
]);
var stco = new Uint8Array([0x00, // version
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x00 // entry_count
]);
MP4.STTS = MP4.STSC = MP4.STCO = stco;
MP4.STSZ = new Uint8Array([0x00, // version
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x00, // sample_size
0x00, 0x00, 0x00, 0x00 // sample_count
]);
MP4.VMHD = new Uint8Array([0x00, // version
0x00, 0x00, 0x01, // flags
0x00, 0x00, // graphicsmode
0x00, 0x00, 0x00, 0x00, 0x00, 0x00 // opcolor
]);
MP4.SMHD = new Uint8Array([0x00, // version
0x00, 0x00, 0x00, // flags
0x00, 0x00, // balance
0x00, 0x00 // reserved
]);
MP4.STSD = new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x01]); // entry_count
var majorBrand = new Uint8Array([105, 115, 111, 109]); // isom
var avc1Brand = new Uint8Array([97, 118, 99, 49]); // avc1
var minorVersion = new Uint8Array([0, 0, 0, 1]);
MP4.FTYP = MP4.box(MP4.types.ftyp, majorBrand, minorVersion, majorBrand, avc1Brand);
MP4.DINF = MP4.box(MP4.types.dinf, MP4.box(MP4.types.dref, dref));
};
MP4.box = function box(type) {
var size = 8;
for (var _len = arguments.length, payload = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
payload[_key - 1] = arguments[_key];
}
var i = payload.length;
var len = i; // calculate the total size we need to allocate
while (i--) {
size += payload[i].byteLength;
}
var result = new Uint8Array(size);
result[0] = size >> 24 & 0xff;
result[1] = size >> 16 & 0xff;
result[2] = size >> 8 & 0xff;
result[3] = size & 0xff;
result.set(type, 4); // copy the payload into the result
for (i = 0, size = 8; i < len; i++) {
// copy payload[i] array @ offset size
result.set(payload[i], size);
size += payload[i].byteLength;
}
return result;
};
MP4.hdlr = function hdlr(type) {
return MP4.box(MP4.types.hdlr, MP4.HDLR_TYPES[type]);
};
MP4.mdat = function mdat(data) {
return MP4.box(MP4.types.mdat, data);
};
MP4.mdhd = function mdhd(timescale, duration) {
duration *= timescale;
var upperWordDuration = Math.floor(duration / (UINT32_MAX + 1));
var lowerWordDuration = Math.floor(duration % (UINT32_MAX + 1));
return MP4.box(MP4.types.mdhd, new Uint8Array([0x01, // version 1
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, // creation_time
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, // modification_time
timescale >> 24 & 0xff, timescale >> 16 & 0xff, timescale >> 8 & 0xff, timescale & 0xff, // timescale
upperWordDuration >> 24, upperWordDuration >> 16 & 0xff, upperWordDuration >> 8 & 0xff, upperWordDuration & 0xff, lowerWordDuration >> 24, lowerWordDuration >> 16 & 0xff, lowerWordDuration >> 8 & 0xff, lowerWordDuration & 0xff, 0x55, 0xc4, // 'und' language (undetermined)
0x00, 0x00]));
};
MP4.mdia = function mdia(track) {
return MP4.box(MP4.types.mdia, MP4.mdhd(track.timescale, track.duration), MP4.hdlr(track.type), MP4.minf(track));
};
MP4.mfhd = function mfhd(sequenceNumber) {
return MP4.box(MP4.types.mfhd, new Uint8Array([0x00, 0x00, 0x00, 0x00, // flags
sequenceNumber >> 24, sequenceNumber >> 16 & 0xff, sequenceNumber >> 8 & 0xff, sequenceNumber & 0xff // sequence_number
]));
};
MP4.minf = function minf(track) {
if (track.type === 'audio') {
return MP4.box(MP4.types.minf, MP4.box(MP4.types.smhd, MP4.SMHD), MP4.DINF, MP4.stbl(track));
} else {
return MP4.box(MP4.types.minf, MP4.box(MP4.types.vmhd, MP4.VMHD), MP4.DINF, MP4.stbl(track));
}
};
MP4.moof = function moof(sn, baseMediaDecodeTime, track) {
return MP4.box(MP4.types.moof, MP4.mfhd(sn), MP4.traf(track, baseMediaDecodeTime));
}
/**
* @param tracks... (optional) {array} the tracks associated with this movie
*/
;
MP4.moov = function moov(tracks) {
var i = tracks.length;
var boxes = [];
while (i--) {
boxes[i] = MP4.trak(tracks[i]);
}
return MP4.box.apply(null, [MP4.types.moov, MP4.mvhd(tracks[0].timescale, tracks[0].duration)].concat(boxes).concat(MP4.mvex(tracks)));
};
MP4.mvex = function mvex(tracks) {
var i = tracks.length;
var boxes = [];
while (i--) {
boxes[i] = MP4.trex(tracks[i]);
}
return MP4.box.apply(null, [MP4.types.mvex].concat(boxes));
};
MP4.mvhd = function mvhd(timescale, duration) {
duration *= timescale;
var upperWordDuration = Math.floor(duration / (UINT32_MAX + 1));
var lowerWordDuration = Math.floor(duration % (UINT32_MAX + 1));
var bytes = new Uint8Array([0x01, // version 1
0x00, 0x00, 0x00, // flags
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, // creation_time
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, // modification_time
timescale >> 24 & 0xff, timescale >> 16 & 0xff, timescale >> 8 & 0xff, timescale & 0xff, // timescale
upperWordDuration >> 24, upperWordDuration >> 16 & 0xff, upperWordDuration >> 8 & 0xff, upperWordDuration & 0xff, lowerWordDuration >> 24, lowerWordDuration >> 16 & 0xff, lowerWordDuration >> 8 & 0xff, lowerWordDuration & 0xff, 0x00, 0x01, 0x00, 0x00, // 1.0 rate
0x01, 0x00, // 1.0 volume
0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x00, 0x00, 0x00, // transformation: unity matrix
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // pre_defined
0xff, 0xff, 0xff, 0xff // next_track_ID
]);
return MP4.box(MP4.types.mvhd, bytes);
};
MP4.sdtp = function sdtp(track) {
var samples = track.samples || [];
var bytes = new Uint8Array(4 + samples.length);
var i;
var flags; // leave the full box header (4 bytes) all zero
// write the sample table
for (i = 0; i < samples.length; i++) {
flags = samples[i].flags;
bytes[i + 4] = flags.dependsOn << 4 | flags.isDependedOn << 2 | flags.hasRedundancy;
}
return MP4.box(MP4.types.sdtp, bytes);
};
MP4.stbl = function stbl(track) {
return MP4.box(MP4.types.stbl, MP4.stsd(track), MP4.box(MP4.types.stts, MP4.STTS), MP4.box(MP4.types.stsc, MP4.STSC), MP4.box(MP4.types.stsz, MP4.STSZ), MP4.box(MP4.types.stco, MP4.STCO));
};
MP4.avc1 = function avc1(track) {
var sps = [];
var pps = [];
var i;
var data;
var len; // assemble the SPSs
for (i = 0; i < track.sps.length; i++) {
data = track.sps[i];
len = data.byteLength;
sps.push(len >>> 8 & 0xff);
sps.push(len & 0xff); // SPS
sps = sps.concat(Array.prototype.slice.call(data));
} // assemble the PPSs
for (i = 0; i < track.pps.length; i++) {
data = track.pps[i];
len = data.byteLength;
pps.push(len >>> 8 & 0xff);
pps.push(len & 0xff);
pps = pps.concat(Array.prototype.slice.call(data));
}
var avcc = MP4.box(MP4.types.avcC, new Uint8Array([0x01, // version
sps[3], // profile
sps[4], // profile compat
sps[5], // level
0xfc | 3, // lengthSizeMinusOne, hard-coded to 4 bytes
0xe0 | track.sps.length // 3bit reserved (111) + numOfSequenceParameterSets
].concat(sps).concat([track.pps.length // numOfPictureParameterSets
]).concat(pps))); // "PPS"
var width = track.width;
var height = track.height;
var hSpacing = track.pixelRatio[0];
var vSpacing = track.pixelRatio[1];
return MP4.box(MP4.types.avc1, new Uint8Array([0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, // reserved
0x00, 0x01, // data_reference_index
0x00, 0x00, // pre_defined
0x00, 0x00, // reserved
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // pre_defined
width >> 8 & 0xff, width & 0xff, // width
height >> 8 & 0xff, height & 0xff, // height
0x00, 0x48, 0x00, 0x00, // horizresolution
0x00, 0x48, 0x00, 0x00, // vertresolution
0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x01, // frame_count
0x12, 0x64, 0x61, 0x69, 0x6c, // dailymotion/hls.js
0x79, 0x6d, 0x6f, 0x74, 0x69, 0x6f, 0x6e, 0x2f, 0x68, 0x6c, 0x73, 0x2e, 0x6a, 0x73, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // compressorname
0x00, 0x18, // depth = 24
0x11, 0x11]), // pre_defined = -1
avcc, MP4.box(MP4.types.btrt, new Uint8Array([0x00, 0x1c, 0x9c, 0x80, // bufferSizeDB
0x00, 0x2d, 0xc6, 0xc0, // maxBitrate
0x00, 0x2d, 0xc6, 0xc0])), // avgBitrate
MP4.box(MP4.types.pasp, new Uint8Array([hSpacing >> 24, // hSpacing
hSpacing >> 16 & 0xff, hSpacing >> 8 & 0xff, hSpacing & 0xff, vSpacing >> 24, // vSpacing
vSpacing >> 16 & 0xff, vSpacing >> 8 & 0xff, vSpacing & 0xff])));
};
MP4.esds = function esds(track) {
var configlen = track.config.length;
return new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
0x03, // descriptor_type
0x17 + configlen, // length
0x00, 0x01, // es_id
0x00, // stream_priority
0x04, // descriptor_type
0x0f + configlen, // length
0x40, // codec : mpeg4_audio
0x15, // stream_type
0x00, 0x00, 0x00, // buffer_size
0x00, 0x00, 0x00, 0x00, // maxBitrate
0x00, 0x00, 0x00, 0x00, // avgBitrate
0x05 // descriptor_type
].concat([configlen]).concat(track.config).concat([0x06, 0x01, 0x02])); // GASpecificConfig)); // length + audio config descriptor
};
MP4.mp4a = function mp4a(track) {
var samplerate = track.samplerate;
return MP4.box(MP4.types.mp4a, new Uint8Array([0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, // reserved
0x00, 0x01, // data_reference_index
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // reserved
0x00, track.channelCount, // channelcount
0x00, 0x10, // sampleSize:16bits
0x00, 0x00, 0x00, 0x00, // reserved2
samplerate >> 8 & 0xff, samplerate & 0xff, //
0x00, 0x00]), MP4.box(MP4.types.esds, MP4.esds(track)));
};
MP4.mp3 = function mp3(track) {
var samplerate = track.samplerate;
return MP4.box(MP4.types['.mp3'], new Uint8Array([0x00, 0x00, 0x00, // reserved
0x00, 0x00, 0x00, // reserved
0x00, 0x01, // data_reference_index
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // reserved
0x00, track.channelCount, // channelcount
0x00, 0x10, // sampleSize:16bits
0x00, 0x00, 0x00, 0x00, // reserved2
samplerate >> 8 & 0xff, samplerate & 0xff, //
0x00, 0x00]));
};
MP4.stsd = function stsd(track) {
if (track.type === 'audio') {
if (!track.isAAC && track.codec === 'mp3') {
return MP4.box(MP4.types.stsd, MP4.STSD, MP4.mp3(track));
}
return MP4.box(MP4.types.stsd, MP4.STSD, MP4.mp4a(track));
} else {
return MP4.box(MP4.types.stsd, MP4.STSD, MP4.avc1(track));
}
};
MP4.tkhd = function tkhd(track) {
var id = track.id;
var duration = track.duration * track.timescale;
var width = track.width;
var height = track.height;
var upperWordDuration = Math.floor(duration / (UINT32_MAX + 1));
var lowerWordDuration = Math.floor(duration % (UINT32_MAX + 1));
return MP4.box(MP4.types.tkhd, new Uint8Array([0x01, // version 1
0x00, 0x00, 0x07, // flags
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, // creation_time
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, // modification_time
id >> 24 & 0xff, id >> 16 & 0xff, id >> 8 & 0xff, id & 0xff, // track_ID
0x00, 0x00, 0x00, 0x00, // reserved
upperWordDuration >> 24, upperWordDuration >> 16 & 0xff, upperWordDuration >> 8 & 0xff, upperWordDuration & 0xff, lowerWordDuration >> 24, lowerWordDuration >> 16 & 0xff, lowerWordDuration >> 8 & 0xff, lowerWordDuration & 0xff, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // reserved
0x00, 0x00, // layer
0x00, 0x00, // alternate_group
0x00, 0x00, // non-audio track volume
0x00, 0x00, // reserved
0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x00, 0x00, 0x00, // transformation: unity matrix
width >> 8 & 0xff, width & 0xff, 0x00, 0x00, // width
height >> 8 & 0xff, height & 0xff, 0x00, 0x00 // height
]));
};
MP4.traf = function traf(track, baseMediaDecodeTime) {
var sampleDependencyTable = MP4.sdtp(track);
var id = track.id;
var upperWordBaseMediaDecodeTime = Math.floor(baseMediaDecodeTime / (UINT32_MAX + 1));
var lowerWordBaseMediaDecodeTime = Math.floor(baseMediaDecodeTime % (UINT32_MAX + 1));
return MP4.box(MP4.types.traf, MP4.box(MP4.types.tfhd, new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
id >> 24, id >> 16 & 0xff, id >> 8 & 0xff, id & 0xff // track_ID
])), MP4.box(MP4.types.tfdt, new Uint8Array([0x01, // version 1
0x00, 0x00, 0x00, // flags
upperWordBaseMediaDecodeTime >> 24, upperWordBaseMediaDecodeTime >> 16 & 0xff, upperWordBaseMediaDecodeTime >> 8 & 0xff, upperWordBaseMediaDecodeTime & 0xff, lowerWordBaseMediaDecodeTime >> 24, lowerWordBaseMediaDecodeTime >> 16 & 0xff, lowerWordBaseMediaDecodeTime >> 8 & 0xff, lowerWordBaseMediaDecodeTime & 0xff])), MP4.trun(track, sampleDependencyTable.length + 16 + // tfhd
20 + // tfdt
8 + // traf header
16 + // mfhd
8 + // moof header
8), // mdat header
sampleDependencyTable);
}
/**
* Generate a track box.
* @param track {object} a track definition
* @return {Uint8Array} the track box
*/
;
MP4.trak = function trak(track) {
track.duration = track.duration || 0xffffffff;
return MP4.box(MP4.types.trak, MP4.tkhd(track), MP4.mdia(track));
};
MP4.trex = function trex(track) {
var id = track.id;
return MP4.box(MP4.types.trex, new Uint8Array([0x00, // version 0
0x00, 0x00, 0x00, // flags
id >> 24, id >> 16 & 0xff, id >> 8 & 0xff, id & 0xff, // track_ID
0x00, 0x00, 0x00, 0x01, // default_sample_description_index
0x00, 0x00, 0x00, 0x00, // default_sample_duration
0x00, 0x00, 0x00, 0x00, // default_sample_size
0x00, 0x01, 0x00, 0x01 // default_sample_flags
]));
};
MP4.trun = function trun(track, offset) {
var samples = track.samples || [];
var len = samples.length;
var arraylen = 12 + 16 * len;
var array = new Uint8Array(arraylen);
var i;
var sample;
var duration;
var size;
var flags;
var cts;
offset += 8 + arraylen;
array.set([0x00, // version 0
0x00, 0x0f, 0x01, // flags
len >>> 24 & 0xff, len >>> 16 & 0xff, len >>> 8 & 0xff, len & 0xff, // sample_count
offset >>> 24 & 0xff, offset >>> 16 & 0xff, offset >>> 8 & 0xff, offset & 0xff // data_offset
], 0);
for (i = 0; i < len; i++) {
sample = samples[i];
duration = sample.duration;
size = sample.size;
flags = sample.flags;
cts = sample.cts;
array.set([duration >>> 24 & 0xff, duration >>> 16 & 0xff, duration >>> 8 & 0xff, duration & 0xff, // sample_duration
size >>> 24 & 0xff, size >>> 16 & 0xff, size >>> 8 & 0xff, size & 0xff, // sample_size
flags.isLeading << 2 | flags.dependsOn, flags.isDependedOn << 6 | flags.hasRedundancy << 4 | flags.paddingValue << 1 | flags.isNonSync, flags.degradPrio & 0xf0 << 8, flags.degradPrio & 0x0f, // sample_flags
cts >>> 24 & 0xff, cts >>> 16 & 0xff, cts >>> 8 & 0xff, cts & 0xff // sample_composition_time_offset
], 12 + 16 * i);
}
return MP4.box(MP4.types.trun, array);
};
MP4.initSegment = function initSegment(tracks) {
if (!MP4.types) {
MP4.init();
}
var movie = MP4.moov(tracks);
var result = new Uint8Array(MP4.FTYP.byteLength + movie.byteLength);
result.set(MP4.FTYP);
result.set(movie, MP4.FTYP.byteLength);
return result;
};
return MP4;
}();
MP4.types = void 0;
MP4.HDLR_TYPES = void 0;
MP4.STTS = void 0;
MP4.STSC = void 0;
MP4.STCO = void 0;
MP4.STSZ = void 0;
MP4.VMHD = void 0;
MP4.SMHD = void 0;
MP4.STSD = void 0;
MP4.FTYP = void 0;
MP4.DINF = void 0;
/* harmony default export */ __webpack_exports__["default"] = (MP4);
/***/ }),
/***/ "./src/remux/mp4-remuxer.ts":
/*!**********************************!*\
!*** ./src/remux/mp4-remuxer.ts ***!
\**********************************/
/*! exports provided: default, normalizePts */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return MP4Remuxer; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "normalizePts", function() { return normalizePts; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _aac_helper__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./aac-helper */ "./src/remux/aac-helper.ts");
/* harmony import */ var _mp4_generator__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./mp4-generator */ "./src/remux/mp4-generator.ts");
/* harmony import */ var _events__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../events */ "./src/events.ts");
/* harmony import */ var _errors__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../errors */ "./src/errors.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/timescale-conversion */ "./src/utils/timescale-conversion.ts");
function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }
var MAX_SILENT_FRAME_DURATION = 10 * 1000; // 10 seconds
var AAC_SAMPLES_PER_FRAME = 1024;
var MPEG_AUDIO_SAMPLE_PER_FRAME = 1152;
var chromeVersion = null;
var safariWebkitVersion = null;
var requiresPositiveDts = false;
var MP4Remuxer = /*#__PURE__*/function () {
function MP4Remuxer(observer, config, typeSupported, vendor) {
if (vendor === void 0) {
vendor = '';
}
this.observer = void 0;
this.config = void 0;
this.typeSupported = void 0;
this.ISGenerated = false;
this._initPTS = void 0;
this._initDTS = void 0;
this.nextAvcDts = null;
this.nextAudioPts = null;
this.isAudioContiguous = false;
this.isVideoContiguous = false;
this.observer = observer;
this.config = config;
this.typeSupported = typeSupported;
this.ISGenerated = false;
if (chromeVersion === null) {
var userAgent = navigator.userAgent || '';
var result = userAgent.match(/Chrome\/(\d+)/i);
chromeVersion = result ? parseInt(result[1]) : 0;
}
if (safariWebkitVersion === null) {
var _result = navigator.userAgent.match(/Safari\/(\d+)/i);
safariWebkitVersion = _result ? parseInt(_result[1]) : 0;
}
requiresPositiveDts = !!chromeVersion && chromeVersion < 75 || !!safariWebkitVersion && safariWebkitVersion < 600;
}
var _proto = MP4Remuxer.prototype;
_proto.destroy = function destroy() {};
_proto.resetTimeStamp = function resetTimeStamp(defaultTimeStamp) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log('[mp4-remuxer]: initPTS & initDTS reset');
this._initPTS = this._initDTS = defaultTimeStamp;
};
_proto.resetNextTimestamp = function resetNextTimestamp() {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log('[mp4-remuxer]: reset next timestamp');
this.isVideoContiguous = false;
this.isAudioContiguous = false;
};
_proto.resetInitSegment = function resetInitSegment() {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log('[mp4-remuxer]: ISGenerated flag reset');
this.ISGenerated = false;
};
_proto.getVideoStartPts = function getVideoStartPts(videoSamples) {
var rolloverDetected = false;
var startPTS = videoSamples.reduce(function (minPTS, sample) {
var delta = sample.pts - minPTS;
if (delta < -4294967296) {
// 2^32, see PTSNormalize for reasoning, but we're hitting a rollover here, and we don't want that to impact the timeOffset calculation
rolloverDetected = true;
return normalizePts(minPTS, sample.pts);
} else if (delta > 0) {
return minPTS;
} else {
return sample.pts;
}
}, videoSamples[0].pts);
if (rolloverDetected) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].debug('PTS rollover detected');
}
return startPTS;
};
_proto.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, accurateTimeOffset, flush) {
var video;
var audio;
var initSegment;
var text;
var id3;
var independent;
var audioTimeOffset = timeOffset;
var videoTimeOffset = timeOffset; // If we're remuxing audio and video progressively, wait until we've received enough samples for each track before proceeding.
// This is done to synchronize the audio and video streams. We know if the current segment will have samples if the "pid"
// parameter is greater than -1. The pid is set when the PMT is parsed, which contains the tracks list.
// However, if the initSegment has already been generated, or we've reached the end of a segment (flush),
// then we can remux one track without waiting for the other.
var hasAudio = audioTrack.pid > -1;
var hasVideo = videoTrack.pid > -1;
var enoughAudioSamples = audioTrack.samples.length > 0;
var enoughVideoSamples = videoTrack.samples.length > 1;
var canRemuxAvc = (!hasAudio || enoughAudioSamples) && (!hasVideo || enoughVideoSamples) || this.ISGenerated || flush;
if (canRemuxAvc) {
if (!this.ISGenerated) {
initSegment = this.generateIS(audioTrack, videoTrack, timeOffset);
}
var isVideoContiguous = this.isVideoContiguous;
if (enoughVideoSamples && !isVideoContiguous && this.config.forceKeyFrameOnDiscontinuity) {
var length = videoTrack.samples.length;
var firstKeyFrameIndex = findKeyframeIndex(videoTrack.samples);
independent = true;
if (firstKeyFrameIndex > 0) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("[mp4-remuxer]: Dropped " + firstKeyFrameIndex + " out of " + length + " video samples due to a missing keyframe");
var startPTS = this.getVideoStartPts(videoTrack.samples);
videoTrack.samples = videoTrack.samples.slice(firstKeyFrameIndex);
videoTrack.dropped += firstKeyFrameIndex;
videoTimeOffset += (videoTrack.samples[0].pts - startPTS) / (videoTrack.timescale || 90000);
} else if (firstKeyFrameIndex === -1) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("[mp4-remuxer]: No keyframe found out of " + length + " video samples");
independent = false;
}
}
if (this.ISGenerated) {
if (enoughAudioSamples && enoughVideoSamples) {
// timeOffset is expected to be the offset of the first timestamp of this fragment (first DTS)
// if first audio DTS is not aligned with first video DTS then we need to take that into account
// when providing timeOffset to remuxAudio / remuxVideo. if we don't do that, there might be a permanent / small
// drift between audio and video streams
var _startPTS = this.getVideoStartPts(videoTrack.samples);
var tsDelta = normalizePts(audioTrack.samples[0].pts, _startPTS) - _startPTS;
var audiovideoTimestampDelta = tsDelta / videoTrack.inputTimeScale;
audioTimeOffset += Math.max(0, audiovideoTimestampDelta);
videoTimeOffset += Math.max(0, -audiovideoTimestampDelta);
} // Purposefully remuxing audio before video, so that remuxVideo can use nextAudioPts, which is calculated in remuxAudio.
if (enoughAudioSamples) {
// if initSegment was generated without audio samples, regenerate it again
if (!audioTrack.samplerate) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn('[mp4-remuxer]: regenerate InitSegment as audio detected');
initSegment = this.generateIS(audioTrack, videoTrack, timeOffset);
delete initSegment.video;
}
audio = this.remuxAudio(audioTrack, audioTimeOffset, this.isAudioContiguous, accurateTimeOffset, enoughVideoSamples ? videoTimeOffset : undefined);
if (enoughVideoSamples) {
var audioTrackLength = audio ? audio.endPTS - audio.startPTS : 0; // if initSegment was generated without video samples, regenerate it again
if (!videoTrack.inputTimeScale) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn('[mp4-remuxer]: regenerate InitSegment as video detected');
initSegment = this.generateIS(audioTrack, videoTrack, timeOffset);
}
video = this.remuxVideo(videoTrack, videoTimeOffset, isVideoContiguous, audioTrackLength);
}
} else if (enoughVideoSamples) {
video = this.remuxVideo(videoTrack, videoTimeOffset, isVideoContiguous, 0);
}
if (video && independent !== undefined) {
video.independent = independent;
}
}
} // Allow ID3 and text to remux, even if more audio/video samples are required
if (this.ISGenerated) {
if (id3Track.samples.length) {
id3 = this.remuxID3(id3Track, timeOffset);
}
if (textTrack.samples.length) {
text = this.remuxText(textTrack, timeOffset);
}
}
return {
audio: audio,
video: video,
initSegment: initSegment,
independent: independent,
text: text,
id3: id3
};
};
_proto.generateIS = function generateIS(audioTrack, videoTrack, timeOffset) {
var audioSamples = audioTrack.samples;
var videoSamples = videoTrack.samples;
var typeSupported = this.typeSupported;
var tracks = {};
var computePTSDTS = !Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(this._initPTS);
var container = 'audio/mp4';
var initPTS;
var initDTS;
var timescale;
if (computePTSDTS) {
initPTS = initDTS = Infinity;
}
if (audioTrack.config && audioSamples.length) {
// let's use audio sampling rate as MP4 time scale.
// rationale is that there is a integer nb of audio frames per audio sample (1024 for AAC)
// using audio sampling rate here helps having an integer MP4 frame duration
// this avoids potential rounding issue and AV sync issue
audioTrack.timescale = audioTrack.samplerate;
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log("[mp4-remuxer]: audio sampling rate : " + audioTrack.samplerate);
if (!audioTrack.isAAC) {
if (typeSupported.mpeg) {
// Chrome and Safari
container = 'audio/mpeg';
audioTrack.codec = '';
} else if (typeSupported.mp3) {
// Firefox
audioTrack.codec = 'mp3';
}
}
tracks.audio = {
id: 'audio',
container: container,
codec: audioTrack.codec,
initSegment: !audioTrack.isAAC && typeSupported.mpeg ? new Uint8Array(0) : _mp4_generator__WEBPACK_IMPORTED_MODULE_2__["default"].initSegment([audioTrack]),
metadata: {
channelCount: audioTrack.channelCount
}
};
if (computePTSDTS) {
timescale = audioTrack.inputTimeScale; // remember first PTS of this demuxing context. for audio, PTS = DTS
initPTS = initDTS = audioSamples[0].pts - Math.round(timescale * timeOffset);
}
}
if (videoTrack.sps && videoTrack.pps && videoSamples.length) {
// let's use input time scale as MP4 video timescale
// we use input time scale straight away to avoid rounding issues on frame duration / cts computation
videoTrack.timescale = videoTrack.inputTimeScale;
tracks.video = {
id: 'main',
container: 'video/mp4',
codec: videoTrack.codec,
initSegment: _mp4_generator__WEBPACK_IMPORTED_MODULE_2__["default"].initSegment([videoTrack]),
metadata: {
width: videoTrack.width,
height: videoTrack.height
}
};
if (computePTSDTS) {
timescale = videoTrack.inputTimeScale;
var startPTS = this.getVideoStartPts(videoSamples);
var startOffset = Math.round(timescale * timeOffset);
initDTS = Math.min(initDTS, normalizePts(videoSamples[0].dts, startPTS) - startOffset);
initPTS = Math.min(initPTS, startPTS - startOffset);
}
}
if (Object.keys(tracks).length) {
this.ISGenerated = true;
if (computePTSDTS) {
this._initPTS = initPTS;
this._initDTS = initDTS;
}
return {
tracks: tracks,
initPTS: initPTS,
timescale: timescale
};
}
};
_proto.remuxVideo = function remuxVideo(track, timeOffset, contiguous, audioTrackLength) {
var timeScale = track.inputTimeScale;
var inputSamples = track.samples;
var outputSamples = [];
var nbSamples = inputSamples.length;
var initPTS = this._initPTS;
var nextAvcDts = this.nextAvcDts;
var offset = 8;
var mp4SampleDuration;
var firstDTS;
var lastDTS;
var minPTS = Number.POSITIVE_INFINITY;
var maxPTS = Number.NEGATIVE_INFINITY;
var ptsDtsShift = 0;
var sortSamples = false; // if parsed fragment is contiguous with last one, let's use last DTS value as reference
if (!contiguous || nextAvcDts === null) {
var pts = timeOffset * timeScale;
var cts = inputSamples[0].pts - normalizePts(inputSamples[0].dts, inputSamples[0].pts); // if not contiguous, let's use target timeOffset
nextAvcDts = pts - cts;
} // PTS is coded on 33bits, and can loop from -2^32 to 2^32
// PTSNormalize will make PTS/DTS value monotonic, we use last known DTS value as reference value
for (var i = 0; i < nbSamples; i++) {
var sample = inputSamples[i];
sample.pts = normalizePts(sample.pts - initPTS, nextAvcDts);
sample.dts = normalizePts(sample.dts - initPTS, nextAvcDts);
if (sample.dts > sample.pts) {
var PTS_DTS_SHIFT_TOLERANCE_90KHZ = 90000 * 0.2;
ptsDtsShift = Math.max(Math.min(ptsDtsShift, sample.pts - sample.dts), -1 * PTS_DTS_SHIFT_TOLERANCE_90KHZ);
}
if (sample.dts < inputSamples[i > 0 ? i - 1 : i].dts) {
sortSamples = true;
}
} // sort video samples by DTS then PTS then demux id order
if (sortSamples) {
inputSamples.sort(function (a, b) {
var deltadts = a.dts - b.dts;
var deltapts = a.pts - b.pts;
return deltadts || deltapts;
});
} // Get first/last DTS
firstDTS = inputSamples[0].dts;
lastDTS = inputSamples[inputSamples.length - 1].dts; // on Safari let's signal the same sample duration for all samples
// sample duration (as expected by trun MP4 boxes), should be the delta between sample DTS
// set this constant duration as being the avg delta between consecutive DTS.
var averageSampleDuration = Math.round((lastDTS - firstDTS) / (nbSamples - 1)); // handle broken streams with PTS < DTS, tolerance up 0.2 seconds
if (ptsDtsShift < 0) {
if (ptsDtsShift < averageSampleDuration * -2) {
// Fix for "CNN special report, with CC" in test-streams (including Safari browser)
// With large PTS < DTS errors such as this, we want to correct CTS while maintaining increasing DTS values
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("PTS < DTS detected in video samples, offsetting DTS from PTS by " + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(-averageSampleDuration, true) + " ms");
var lastDts = ptsDtsShift;
for (var _i = 0; _i < nbSamples; _i++) {
inputSamples[_i].dts = lastDts = Math.max(lastDts, inputSamples[_i].pts - averageSampleDuration);
inputSamples[_i].pts = Math.max(lastDts, inputSamples[_i].pts);
}
} else {
// Fix for "Custom IV with bad PTS DTS" in test-streams
// With smaller PTS < DTS errors we can simply move all DTS back. This increases CTS without causing buffer gaps or decode errors in Safari
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("PTS < DTS detected in video samples, shifting DTS by " + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(ptsDtsShift, true) + " ms to overcome this issue");
for (var _i2 = 0; _i2 < nbSamples; _i2++) {
inputSamples[_i2].dts = inputSamples[_i2].dts + ptsDtsShift;
}
}
firstDTS = inputSamples[0].dts;
} // if fragment are contiguous, detect hole/overlapping between fragments
if (contiguous) {
// check timestamp continuity across consecutive fragments (this is to remove inter-fragment gap/hole)
var delta = firstDTS - nextAvcDts;
var foundHole = delta > averageSampleDuration;
var foundOverlap = delta < -1;
if (foundHole || foundOverlap) {
if (foundHole) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("AVC: " + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(delta, true) + " ms (" + delta + "dts) hole between fragments detected, filling it");
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("AVC: " + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(-delta, true) + " ms (" + delta + "dts) overlapping between fragments detected");
}
firstDTS = nextAvcDts;
var firstPTS = inputSamples[0].pts - delta;
inputSamples[0].dts = firstDTS;
inputSamples[0].pts = firstPTS;
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log("Video: First PTS/DTS adjusted: " + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(firstPTS, true) + "/" + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(firstDTS, true) + ", delta: " + Object(_utils_timescale_conversion__WEBPACK_IMPORTED_MODULE_6__["toMsFromMpegTsClock"])(delta, true) + " ms");
}
}
if (requiresPositiveDts) {
firstDTS = Math.max(0, firstDTS);
}
var nbNalu = 0;
var naluLen = 0;
for (var _i3 = 0; _i3 < nbSamples; _i3++) {
// compute total/avc sample length and nb of NAL units
var _sample = inputSamples[_i3];
var units = _sample.units;
var nbUnits = units.length;
var sampleLen = 0;
for (var j = 0; j < nbUnits; j++) {
sampleLen += units[j].data.length;
}
naluLen += sampleLen;
nbNalu += nbUnits;
_sample.length = sampleLen; // normalize PTS/DTS
// ensure sample monotonic DTS
_sample.dts = Math.max(_sample.dts, firstDTS); // ensure that computed value is greater or equal than sample DTS
_sample.pts = Math.max(_sample.pts, _sample.dts, 0);
minPTS = Math.min(_sample.pts, minPTS);
maxPTS = Math.max(_sample.pts, maxPTS);
}
lastDTS = inputSamples[nbSamples - 1].dts;
/* concatenate the video data and construct the mdat in place
(need 8 more bytes to fill length and mpdat type) */
var mdatSize = naluLen + 4 * nbNalu + 8;
var mdat;
try {
mdat = new Uint8Array(mdatSize);
} catch (err) {
this.observer.emit(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].ERROR, _events__WEBPACK_IMPORTED_MODULE_3__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorTypes"].MUX_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorDetails"].REMUX_ALLOC_ERROR,
fatal: false,
bytes: mdatSize,
reason: "fail allocating video mdat " + mdatSize
});
return;
}
var view = new DataView(mdat.buffer);
view.setUint32(0, mdatSize);
mdat.set(_mp4_generator__WEBPACK_IMPORTED_MODULE_2__["default"].types.mdat, 4);
for (var _i4 = 0; _i4 < nbSamples; _i4++) {
var avcSample = inputSamples[_i4];
var avcSampleUnits = avcSample.units;
var mp4SampleLength = 0; // convert NALU bitstream to MP4 format (prepend NALU with size field)
for (var _j = 0, _nbUnits = avcSampleUnits.length; _j < _nbUnits; _j++) {
var unit = avcSampleUnits[_j];
var unitData = unit.data;
var unitDataLen = unit.data.byteLength;
view.setUint32(offset, unitDataLen);
offset += 4;
mdat.set(unitData, offset);
offset += unitDataLen;
mp4SampleLength += 4 + unitDataLen;
} // expected sample duration is the Decoding Timestamp diff of consecutive samples
if (_i4 < nbSamples - 1) {
mp4SampleDuration = inputSamples[_i4 + 1].dts - avcSample.dts;
} else {
var config = this.config;
var lastFrameDuration = avcSample.dts - inputSamples[_i4 > 0 ? _i4 - 1 : _i4].dts;
if (config.stretchShortVideoTrack && this.nextAudioPts !== null) {
// In some cases, a segment's audio track duration may exceed the video track duration.
// Since we've already remuxed audio, and we know how long the audio track is, we look to
// see if the delta to the next segment is longer than maxBufferHole.
// If so, playback would potentially get stuck, so we artificially inflate
// the duration of the last frame to minimize any potential gap between segments.
var gapTolerance = Math.floor(config.maxBufferHole * timeScale);
var deltaToFrameEnd = (audioTrackLength ? minPTS + audioTrackLength * timeScale : this.nextAudioPts) - avcSample.pts;
if (deltaToFrameEnd > gapTolerance) {
// We subtract lastFrameDuration from deltaToFrameEnd to try to prevent any video
// frame overlap. maxBufferHole should be >> lastFrameDuration anyway.
mp4SampleDuration = deltaToFrameEnd - lastFrameDuration;
if (mp4SampleDuration < 0) {
mp4SampleDuration = lastFrameDuration;
}
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log("[mp4-remuxer]: It is approximately " + deltaToFrameEnd / 90 + " ms to the next segment; using duration " + mp4SampleDuration / 90 + " ms for the last video frame.");
} else {
mp4SampleDuration = lastFrameDuration;
}
} else {
mp4SampleDuration = lastFrameDuration;
}
}
var compositionTimeOffset = Math.round(avcSample.pts - avcSample.dts);
outputSamples.push(new Mp4Sample(avcSample.key, mp4SampleDuration, mp4SampleLength, compositionTimeOffset));
}
if (outputSamples.length && chromeVersion && chromeVersion < 70) {
// Chrome workaround, mark first sample as being a Random Access Point (keyframe) to avoid sourcebuffer append issue
// https://code.google.com/p/chromium/issues/detail?id=229412
var flags = outputSamples[0].flags;
flags.dependsOn = 2;
flags.isNonSync = 0;
}
console.assert(mp4SampleDuration !== undefined, 'mp4SampleDuration must be computed'); // next AVC sample DTS should be equal to last sample DTS + last sample duration (in PES timescale)
this.nextAvcDts = nextAvcDts = lastDTS + mp4SampleDuration;
this.isVideoContiguous = true;
var moof = _mp4_generator__WEBPACK_IMPORTED_MODULE_2__["default"].moof(track.sequenceNumber++, firstDTS, _extends({}, track, {
samples: outputSamples
}));
var type = 'video';
var data = {
data1: moof,
data2: mdat,
startPTS: minPTS / timeScale,
endPTS: (maxPTS + mp4SampleDuration) / timeScale,
startDTS: firstDTS / timeScale,
endDTS: nextAvcDts / timeScale,
type: type,
hasAudio: false,
hasVideo: true,
nb: outputSamples.length,
dropped: track.dropped
};
track.samples = [];
track.dropped = 0;
console.assert(mdat.length, 'MDAT length must not be zero');
return data;
};
_proto.remuxAudio = function remuxAudio(track, timeOffset, contiguous, accurateTimeOffset, videoTimeOffset) {
var inputTimeScale = track.inputTimeScale;
var mp4timeScale = track.samplerate ? track.samplerate : inputTimeScale;
var scaleFactor = inputTimeScale / mp4timeScale;
var mp4SampleDuration = track.isAAC ? AAC_SAMPLES_PER_FRAME : MPEG_AUDIO_SAMPLE_PER_FRAME;
var inputSampleDuration = mp4SampleDuration * scaleFactor;
var initPTS = this._initPTS;
var rawMPEG = !track.isAAC && this.typeSupported.mpeg;
var outputSamples = [];
var inputSamples = track.samples;
var offset = rawMPEG ? 0 : 8;
var fillFrame;
var nextAudioPts = this.nextAudioPts || -1; // window.audioSamples ? window.audioSamples.push(inputSamples.map(s => s.pts)) : (window.audioSamples = [inputSamples.map(s => s.pts)]);
// for audio samples, also consider consecutive fragments as being contiguous (even if a level switch occurs),
// for sake of clarity:
// consecutive fragments are frags with
// - less than 100ms gaps between new time offset (if accurate) and next expected PTS OR
// - less than 20 audio frames distance
// contiguous fragments are consecutive fragments from same quality level (same level, new SN = old SN + 1)
// this helps ensuring audio continuity
// and this also avoids audio glitches/cut when switching quality, or reporting wrong duration on first audio frame
var timeOffsetMpegTS = timeOffset * inputTimeScale;
this.isAudioContiguous = contiguous = contiguous || inputSamples.length && nextAudioPts > 0 && (accurateTimeOffset && Math.abs(timeOffsetMpegTS - nextAudioPts) < 9000 || Math.abs(normalizePts(inputSamples[0].pts - initPTS, timeOffsetMpegTS) - nextAudioPts) < 20 * inputSampleDuration); // compute normalized PTS
inputSamples.forEach(function (sample) {
sample.pts = sample.dts = normalizePts(sample.pts - initPTS, timeOffsetMpegTS);
});
if (!contiguous || nextAudioPts < 0) {
// filter out sample with negative PTS that are not playable anyway
// if we don't remove these negative samples, they will shift all audio samples forward.
// leading to audio overlap between current / next fragment
inputSamples = inputSamples.filter(function (sample) {
return sample.pts >= 0;
}); // in case all samples have negative PTS, and have been filtered out, return now
if (!inputSamples.length) {
return;
}
if (videoTimeOffset === 0) {
// Set the start to 0 to match video so that start gaps larger than inputSampleDuration are filled with silence
nextAudioPts = 0;
} else if (accurateTimeOffset) {
// When not seeking, not live, and LevelDetails.PTSKnown, use fragment start as predicted next audio PTS
nextAudioPts = Math.max(0, timeOffsetMpegTS);
} else {
// if frags are not contiguous and if we cant trust time offset, let's use first sample PTS as next audio PTS
nextAudioPts = inputSamples[0].pts;
}
} // If the audio track is missing samples, the frames seem to get "left-shifted" within the
// resulting mp4 segment, causing sync issues and leaving gaps at the end of the audio segment.
// In an effort to prevent this from happening, we inject frames here where there are gaps.
// When possible, we inject a silent frame; when that's not possible, we duplicate the last
// frame.
if (track.isAAC) {
var maxAudioFramesDrift = this.config.maxAudioFramesDrift;
for (var i = 0, nextPts = nextAudioPts; i < inputSamples.length;) {
// First, let's see how far off this frame is from where we expect it to be
var sample = inputSamples[i];
var pts = sample.pts;
var delta = pts - nextPts;
var duration = Math.abs(1000 * delta / inputTimeScale); // When remuxing with video, if we're overlapping by more than a duration, drop this sample to stay in sync
if (delta <= -maxAudioFramesDrift * inputSampleDuration && videoTimeOffset !== undefined) {
if (contiguous || i > 0) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("[mp4-remuxer]: Dropping 1 audio frame @ " + (nextPts / inputTimeScale).toFixed(3) + "s due to " + Math.round(duration) + " ms overlap.");
inputSamples.splice(i, 1); // Don't touch nextPtsNorm or i
} else {
// When changing qualities we can't trust that audio has been appended up to nextAudioPts
// Warn about the overlap but do not drop samples as that can introduce buffer gaps
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("Audio frame @ " + (pts / inputTimeScale).toFixed(3) + "s overlaps nextAudioPts by " + Math.round(1000 * delta / inputTimeScale) + " ms.");
nextPts = pts + inputSampleDuration;
i++;
}
} // eslint-disable-line brace-style
// Insert missing frames if:
// 1: We're more than maxAudioFramesDrift frame away
// 2: Not more than MAX_SILENT_FRAME_DURATION away
// 3: currentTime (aka nextPtsNorm) is not 0
// 4: remuxing with video (videoTimeOffset !== undefined)
else if (delta >= maxAudioFramesDrift * inputSampleDuration && duration < MAX_SILENT_FRAME_DURATION && videoTimeOffset !== undefined) {
var missing = Math.floor(delta / inputSampleDuration); // Adjust nextPts so that silent samples are aligned with media pts. This will prevent media samples from
// later being shifted if nextPts is based on timeOffset and delta is not a multiple of inputSampleDuration.
nextPts = pts - missing * inputSampleDuration;
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn("[mp4-remuxer]: Injecting " + missing + " audio frame @ " + (nextPts / inputTimeScale).toFixed(3) + "s due to " + Math.round(1000 * delta / inputTimeScale) + " ms gap.");
for (var j = 0; j < missing; j++) {
var newStamp = Math.max(nextPts, 0);
fillFrame = _aac_helper__WEBPACK_IMPORTED_MODULE_1__["default"].getSilentFrame(track.manifestCodec || track.codec, track.channelCount);
if (!fillFrame) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log('[mp4-remuxer]: Unable to get silent frame for given audio codec; duplicating last frame instead.');
fillFrame = sample.unit.subarray();
}
inputSamples.splice(i, 0, {
unit: fillFrame,
pts: newStamp,
dts: newStamp
});
nextPts += inputSampleDuration;
i++;
} // Adjust sample to next expected pts
sample.pts = sample.dts = nextPts;
nextPts += inputSampleDuration;
i++;
} else {
// Otherwise, just adjust pts
sample.pts = sample.dts = nextPts;
nextPts += inputSampleDuration;
i++;
}
}
}
var firstPTS = null;
var lastPTS = null;
var mdat;
var mdatSize = 0;
var sampleLength = inputSamples.length;
while (sampleLength--) {
mdatSize += inputSamples[sampleLength].unit.byteLength;
}
for (var _j2 = 0, _nbSamples = inputSamples.length; _j2 < _nbSamples; _j2++) {
var audioSample = inputSamples[_j2];
var unit = audioSample.unit;
var _pts = audioSample.pts;
if (lastPTS !== null) {
// If we have more than one sample, set the duration of the sample to the "real" duration; the PTS diff with
// the previous sample
var prevSample = outputSamples[_j2 - 1];
prevSample.duration = Math.round((_pts - lastPTS) / scaleFactor);
} else {
var _delta = Math.round(1000 * (_pts - nextAudioPts) / inputTimeScale);
var numMissingFrames = 0; // if fragment are contiguous, detect hole/overlapping between fragments
// contiguous fragments are consecutive fragments from same quality level (same level, new SN = old SN + 1)
if (contiguous && track.isAAC) {
if (_delta > 0 && _delta < MAX_SILENT_FRAME_DURATION) {
numMissingFrames = Math.round((_pts - nextAudioPts) / inputSampleDuration);
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log("[mp4-remuxer]: " + _delta + " ms hole between AAC samples detected,filling it");
if (numMissingFrames > 0) {
fillFrame = _aac_helper__WEBPACK_IMPORTED_MODULE_1__["default"].getSilentFrame(track.manifestCodec || track.codec, track.channelCount);
if (!fillFrame) {
fillFrame = unit.subarray();
}
mdatSize += numMissingFrames * fillFrame.length;
} // if we have frame overlap, overlapping for more than half a frame duraion
} else if (_delta < -12) {
// drop overlapping audio frames... browser will deal with it
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log("[mp4-remuxer]: drop overlapping AAC sample, expected/parsed/delta:" + (nextAudioPts / inputTimeScale).toFixed(3) + "s/" + (_pts / inputTimeScale).toFixed(3) + "s/" + -_delta + "ms");
mdatSize -= unit.byteLength;
continue;
} // set PTS/DTS to expected PTS/DTS
_pts = nextAudioPts;
} // remember first PTS of our audioSamples
firstPTS = _pts;
if (mdatSize > 0) {
/* concatenate the audio data and construct the mdat in place
(need 8 more bytes to fill length and mdat type) */
mdatSize += offset;
try {
mdat = new Uint8Array(mdatSize);
} catch (err) {
this.observer.emit(_events__WEBPACK_IMPORTED_MODULE_3__["Events"].ERROR, _events__WEBPACK_IMPORTED_MODULE_3__["Events"].ERROR, {
type: _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorTypes"].MUX_ERROR,
details: _errors__WEBPACK_IMPORTED_MODULE_4__["ErrorDetails"].REMUX_ALLOC_ERROR,
fatal: false,
bytes: mdatSize,
reason: "fail allocating audio mdat " + mdatSize
});
return;
}
if (!rawMPEG) {
var view = new DataView(mdat.buffer);
view.setUint32(0, mdatSize);
mdat.set(_mp4_generator__WEBPACK_IMPORTED_MODULE_2__["default"].types.mdat, 4);
}
} else {
// no audio samples
return;
}
for (var _i5 = 0; _i5 < numMissingFrames; _i5++) {
fillFrame = _aac_helper__WEBPACK_IMPORTED_MODULE_1__["default"].getSilentFrame(track.manifestCodec || track.codec, track.channelCount);
if (!fillFrame) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].log('[mp4-remuxer]: Unable to get silent frame for given audio codec; duplicating the current frame instead');
fillFrame = unit.subarray();
}
mdat.set(fillFrame, offset);
offset += fillFrame.byteLength;
outputSamples.push(new Mp4Sample(true, AAC_SAMPLES_PER_FRAME, fillFrame.byteLength, 0));
}
}
mdat.set(unit, offset);
var unitLen = unit.byteLength;
offset += unitLen; // Default the sample's duration to the computed mp4SampleDuration, which will either be 1024 for AAC or 1152 for MPEG
// In the case that we have 1 sample, this will be the duration. If we have more than one sample, the duration
// becomes the PTS diff with the previous sample
outputSamples.push(new Mp4Sample(true, mp4SampleDuration, unitLen, 0));
lastPTS = _pts;
} // We could end up with no audio samples if all input samples were overlapping with the previously remuxed ones
var nbSamples = outputSamples.length;
if (!nbSamples) {
return;
} // The next audio sample PTS should be equal to last sample PTS + duration
var lastSample = outputSamples[outputSamples.length - 1];
this.nextAudioPts = nextAudioPts = lastPTS + scaleFactor * lastSample.duration; // Set the track samples from inputSamples to outputSamples before remuxing
var moof = rawMPEG ? new Uint8Array(0) : _mp4_generator__WEBPACK_IMPORTED_MODULE_2__["default"].moof(track.sequenceNumber++, firstPTS / scaleFactor, _extends({}, track, {
samples: outputSamples
})); // Clear the track samples. This also clears the samples array in the demuxer, since the reference is shared
track.samples = [];
var start = firstPTS / inputTimeScale;
var end = nextAudioPts / inputTimeScale;
var type = 'audio';
var audioData = {
data1: moof,
data2: mdat,
startPTS: start,
endPTS: end,
startDTS: start,
endDTS: end,
type: type,
hasAudio: true,
hasVideo: false,
nb: nbSamples
};
this.isAudioContiguous = true;
console.assert(mdat.length, 'MDAT length must not be zero');
return audioData;
};
_proto.remuxEmptyAudio = function remuxEmptyAudio(track, timeOffset, contiguous, videoData) {
var inputTimeScale = track.inputTimeScale;
var mp4timeScale = track.samplerate ? track.samplerate : inputTimeScale;
var scaleFactor = inputTimeScale / mp4timeScale;
var nextAudioPts = this.nextAudioPts; // sync with video's timestamp
var startDTS = (nextAudioPts !== null ? nextAudioPts : videoData.startDTS * inputTimeScale) + this._initDTS;
var endDTS = videoData.endDTS * inputTimeScale + this._initDTS; // one sample's duration value
var frameDuration = scaleFactor * AAC_SAMPLES_PER_FRAME; // samples count of this segment's duration
var nbSamples = Math.ceil((endDTS - startDTS) / frameDuration); // silent frame
var silentFrame = _aac_helper__WEBPACK_IMPORTED_MODULE_1__["default"].getSilentFrame(track.manifestCodec || track.codec, track.channelCount);
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].warn('[mp4-remuxer]: remux empty Audio'); // Can't remux if we can't generate a silent frame...
if (!silentFrame) {
_utils_logger__WEBPACK_IMPORTED_MODULE_5__["logger"].trace('[mp4-remuxer]: Unable to remuxEmptyAudio since we were unable to get a silent frame for given audio codec');
return;
}
var samples = [];
for (var i = 0; i < nbSamples; i++) {
var stamp = startDTS + i * frameDuration;
samples.push({
unit: silentFrame,
pts: stamp,
dts: stamp
});
}
track.samples = samples;
return this.remuxAudio(track, timeOffset, contiguous, false);
};
_proto.remuxID3 = function remuxID3(track, timeOffset) {
var length = track.samples.length;
if (!length) {
return;
}
var inputTimeScale = track.inputTimeScale;
var initPTS = this._initPTS;
var initDTS = this._initDTS;
for (var index = 0; index < length; index++) {
var sample = track.samples[index]; // setting id3 pts, dts to relative time
// using this._initPTS and this._initDTS to calculate relative time
sample.pts = normalizePts(sample.pts - initPTS, timeOffset * inputTimeScale) / inputTimeScale;
sample.dts = normalizePts(sample.dts - initDTS, timeOffset * inputTimeScale) / inputTimeScale;
}
var samples = track.samples;
track.samples = [];
return {
samples: samples
};
};
_proto.remuxText = function remuxText(track, timeOffset) {
var length = track.samples.length;
if (!length) {
return;
}
var inputTimeScale = track.inputTimeScale;
var initPTS = this._initPTS;
for (var index = 0; index < length; index++) {
var sample = track.samples[index]; // setting text pts, dts to relative time
// using this._initPTS and this._initDTS to calculate relative time
sample.pts = normalizePts(sample.pts - initPTS, timeOffset * inputTimeScale) / inputTimeScale;
}
track.samples.sort(function (a, b) {
return a.pts - b.pts;
});
var samples = track.samples;
track.samples = [];
return {
samples: samples
};
};
return MP4Remuxer;
}();
function normalizePts(value, reference) {
var offset;
if (reference === null) {
return value;
}
if (reference < value) {
// - 2^33
offset = -8589934592;
} else {
// + 2^33
offset = 8589934592;
}
/* PTS is 33bit (from 0 to 2^33 -1)
if diff between value and reference is bigger than half of the amplitude (2^32) then it means that
PTS looping occured. fill the gap */
while (Math.abs(value - reference) > 4294967296) {
value += offset;
}
return value;
}
function findKeyframeIndex(samples) {
for (var i = 0; i < samples.length; i++) {
if (samples[i].key) {
return i;
}
}
return -1;
}
var Mp4Sample = function Mp4Sample(isKeyframe, duration, size, cts) {
this.size = void 0;
this.duration = void 0;
this.cts = void 0;
this.flags = void 0;
this.duration = duration;
this.size = size;
this.cts = cts;
this.flags = new Mp4SampleFlags(isKeyframe);
};
var Mp4SampleFlags = function Mp4SampleFlags(isKeyframe) {
this.isLeading = 0;
this.isDependedOn = 0;
this.hasRedundancy = 0;
this.degradPrio = 0;
this.dependsOn = 1;
this.isNonSync = 1;
this.dependsOn = isKeyframe ? 2 : 1;
this.isNonSync = isKeyframe ? 0 : 1;
};
/***/ }),
/***/ "./src/remux/passthrough-remuxer.ts":
/*!******************************************!*\
!*** ./src/remux/passthrough-remuxer.ts ***!
\******************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _utils_mp4_tools__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/mp4-tools */ "./src/utils/mp4-tools.ts");
/* harmony import */ var _loader_fragment__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../loader/fragment */ "./src/loader/fragment.ts");
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
var PassThroughRemuxer = /*#__PURE__*/function () {
function PassThroughRemuxer() {
this.emitInitSegment = false;
this.audioCodec = void 0;
this.videoCodec = void 0;
this.initData = void 0;
this.initPTS = void 0;
this.initTracks = void 0;
this.lastEndDTS = null;
}
var _proto = PassThroughRemuxer.prototype;
_proto.destroy = function destroy() {};
_proto.resetTimeStamp = function resetTimeStamp(defaultInitPTS) {
this.initPTS = defaultInitPTS;
this.lastEndDTS = null;
};
_proto.resetNextTimestamp = function resetNextTimestamp() {
this.lastEndDTS = null;
};
_proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec) {
this.audioCodec = audioCodec;
this.videoCodec = videoCodec;
this.generateInitSegment(initSegment);
this.emitInitSegment = true;
};
_proto.generateInitSegment = function generateInitSegment(initSegment) {
var audioCodec = this.audioCodec,
videoCodec = this.videoCodec;
if (!initSegment || !initSegment.byteLength) {
this.initTracks = undefined;
this.initData = undefined;
return;
}
var initData = this.initData = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_1__["parseInitSegment"])(initSegment); // Get codec from initSegment or fallback to default
if (!audioCodec) {
audioCodec = getParsedTrackCodec(initData.audio, _loader_fragment__WEBPACK_IMPORTED_MODULE_2__["ElementaryStreamTypes"].AUDIO);
}
if (!videoCodec) {
videoCodec = getParsedTrackCodec(initData.video, _loader_fragment__WEBPACK_IMPORTED_MODULE_2__["ElementaryStreamTypes"].VIDEO);
}
var tracks = {};
if (initData.audio && initData.video) {
tracks.audiovideo = {
container: 'video/mp4',
codec: audioCodec + ',' + videoCodec,
initSegment: initSegment,
id: 'main'
};
} else if (initData.audio) {
tracks.audio = {
container: 'audio/mp4',
codec: audioCodec,
initSegment: initSegment,
id: 'audio'
};
} else if (initData.video) {
tracks.video = {
container: 'video/mp4',
codec: videoCodec,
initSegment: initSegment,
id: 'main'
};
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn('[passthrough-remuxer.ts]: initSegment does not contain moov or trak boxes.');
}
this.initTracks = tracks;
};
_proto.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset) {
var initPTS = this.initPTS,
lastEndDTS = this.lastEndDTS;
var result = {
audio: undefined,
video: undefined,
text: textTrack,
id3: id3Track,
initSegment: undefined
}; // If we haven't yet set a lastEndDTS, or it was reset, set it to the provided timeOffset. We want to use the
// lastEndDTS over timeOffset whenever possible; during progressive playback, the media source will not update
// the media duration (which is what timeOffset is provided as) before we need to process the next chunk.
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(lastEndDTS)) {
lastEndDTS = this.lastEndDTS = timeOffset || 0;
} // The binary segment data is added to the videoTrack in the mp4demuxer. We don't check to see if the data is only
// audio or video (or both); adding it to video was an arbitrary choice.
var data = videoTrack.samples;
if (!data || !data.length) {
return result;
}
var initSegment = {
initPTS: undefined,
timescale: 1
};
var initData = this.initData;
if (!initData || !initData.length) {
this.generateInitSegment(data);
initData = this.initData;
}
if (!initData || !initData.length) {
// We can't remux if the initSegment could not be generated
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn('[passthrough-remuxer.ts]: Failed to generate initSegment.');
return result;
}
if (this.emitInitSegment) {
initSegment.tracks = this.initTracks;
this.emitInitSegment = false;
}
if (!Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(initPTS)) {
this.initPTS = initSegment.initPTS = initPTS = computeInitPTS(initData, data, lastEndDTS);
}
var duration = Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_1__["getDuration"])(data, initData);
var startDTS = lastEndDTS;
var endDTS = duration + startDTS;
Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_1__["offsetStartDTS"])(initData, data, initPTS);
if (duration > 0) {
this.lastEndDTS = endDTS;
} else {
_utils_logger__WEBPACK_IMPORTED_MODULE_3__["logger"].warn('Duration parsed from mp4 should be greater than zero');
this.resetNextTimestamp();
}
var hasAudio = !!initData.audio;
var hasVideo = !!initData.video;
var type = '';
if (hasAudio) {
type += 'audio';
}
if (hasVideo) {
type += 'video';
}
var track = {
data1: data,
startPTS: startDTS,
startDTS: startDTS,
endPTS: endDTS,
endDTS: endDTS,
type: type,
hasAudio: hasAudio,
hasVideo: hasVideo,
nb: 1,
dropped: 0
};
result.audio = track.type === 'audio' ? track : undefined;
result.video = track.type !== 'audio' ? track : undefined;
result.text = textTrack;
result.id3 = id3Track;
result.initSegment = initSegment;
return result;
};
return PassThroughRemuxer;
}();
var computeInitPTS = function computeInitPTS(initData, data, timeOffset) {
return Object(_utils_mp4_tools__WEBPACK_IMPORTED_MODULE_1__["getStartDTS"])(initData, data) - timeOffset;
};
function getParsedTrackCodec(track, type) {
var parsedCodec = track === null || track === void 0 ? void 0 : track.codec;
if (parsedCodec && parsedCodec.length > 4) {
return parsedCodec;
} // Since mp4-tools cannot parse full codec string (see 'TODO: Parse codec details'... in mp4-tools)
// Provide defaults based on codec type
// This allows for some playback of some fmp4 playlists without CODECS defined in manifest
if (parsedCodec === 'hvc1') {
return 'hvc1.1.c.L120.90';
}
if (parsedCodec === 'av01') {
return 'av01.0.04M.08';
}
if (parsedCodec === 'avc1' || type === _loader_fragment__WEBPACK_IMPORTED_MODULE_2__["ElementaryStreamTypes"].VIDEO) {
return 'avc1.42e01e';
}
return 'mp4a.40.5';
}
/* harmony default export */ __webpack_exports__["default"] = (PassThroughRemuxer);
/***/ }),
/***/ "./src/task-loop.ts":
/*!**************************!*\
!*** ./src/task-loop.ts ***!
\**************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return TaskLoop; });
/**
* Sub-class specialization of EventHandler base class.
*
* TaskLoop allows to schedule a task function being called (optionnaly repeatedly) on the main loop,
* scheduled asynchroneously, avoiding recursive calls in the same tick.
*
* The task itself is implemented in `doTick`. It can be requested and called for single execution
* using the `tick` method.
*
* It will be assured that the task execution method (`tick`) only gets called once per main loop "tick",
* no matter how often it gets requested for execution. Execution in further ticks will be scheduled accordingly.
*
* If further execution requests have already been scheduled on the next tick, it can be checked with `hasNextTick`,
* and cancelled with `clearNextTick`.
*
* The task can be scheduled as an interval repeatedly with a period as parameter (see `setInterval`, `clearInterval`).
*
* Sub-classes need to implement the `doTick` method which will effectively have the task execution routine.
*
* Further explanations:
*
* The baseclass has a `tick` method that will schedule the doTick call. It may be called synchroneously
* only for a stack-depth of one. On re-entrant calls, sub-sequent calls are scheduled for next main loop ticks.
*
* When the task execution (`tick` method) is called in re-entrant way this is detected and
* we are limiting the task execution per call stack to exactly one, but scheduling/post-poning further
* task processing on the next main loop iteration (also known as "next tick" in the Node/JS runtime lingo).
*/
var TaskLoop = /*#__PURE__*/function () {
function TaskLoop() {
this._boundTick = void 0;
this._tickTimer = null;
this._tickInterval = null;
this._tickCallCount = 0;
this._boundTick = this.tick.bind(this);
}
var _proto = TaskLoop.prototype;
_proto.destroy = function destroy() {
this.onHandlerDestroying();
this.onHandlerDestroyed();
};
_proto.onHandlerDestroying = function onHandlerDestroying() {
// clear all timers before unregistering from event bus
this.clearNextTick();
this.clearInterval();
};
_proto.onHandlerDestroyed = function onHandlerDestroyed() {}
/**
* @returns {boolean}
*/
;
_proto.hasInterval = function hasInterval() {
return !!this._tickInterval;
}
/**
* @returns {boolean}
*/
;
_proto.hasNextTick = function hasNextTick() {
return !!this._tickTimer;
}
/**
* @param {number} millis Interval time (ms)
* @returns {boolean} True when interval has been scheduled, false when already scheduled (no effect)
*/
;
_proto.setInterval = function setInterval(millis) {
if (!this._tickInterval) {
this._tickInterval = self.setInterval(this._boundTick, millis);
return true;
}
return false;
}
/**
* @returns {boolean} True when interval was cleared, false when none was set (no effect)
*/
;
_proto.clearInterval = function clearInterval() {
if (this._tickInterval) {
self.clearInterval(this._tickInterval);
this._tickInterval = null;
return true;
}
return false;
}
/**
* @returns {boolean} True when timeout was cleared, false when none was set (no effect)
*/
;
_proto.clearNextTick = function clearNextTick() {
if (this._tickTimer) {
self.clearTimeout(this._tickTimer);
this._tickTimer = null;
return true;
}
return false;
}
/**
* Will call the subclass doTick implementation in this main loop tick
* or in the next one (via setTimeout(,0)) in case it has already been called
* in this tick (in case this is a re-entrant call).
*/
;
_proto.tick = function tick() {
this._tickCallCount++;
if (this._tickCallCount === 1) {
this.doTick(); // re-entrant call to tick from previous doTick call stack
// -> schedule a call on the next main loop iteration to process this task processing request
if (this._tickCallCount > 1) {
// make sure only one timer exists at any time at max
this.clearNextTick();
this._tickTimer = self.setTimeout(this._boundTick, 0);
}
this._tickCallCount = 0;
}
}
/**
* For subclass to implement task logic
* @abstract
*/
;
_proto.doTick = function doTick() {};
return TaskLoop;
}();
/***/ }),
/***/ "./src/types/level.ts":
/*!****************************!*\
!*** ./src/types/level.ts ***!
\****************************/
/*! exports provided: HlsSkip, getSkipValue, HlsUrlParameters, Level */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "HlsSkip", function() { return HlsSkip; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getSkipValue", function() { return getSkipValue; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "HlsUrlParameters", function() { return HlsUrlParameters; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "Level", function() { return Level; });
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); } }
function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }
var HlsSkip;
(function (HlsSkip) {
HlsSkip["No"] = "";
HlsSkip["Yes"] = "YES";
HlsSkip["v2"] = "v2";
})(HlsSkip || (HlsSkip = {}));
function getSkipValue(details, msn) {
var canSkipUntil = details.canSkipUntil,
canSkipDateRanges = details.canSkipDateRanges,
endSN = details.endSN;
var snChangeGoal = msn - endSN;
if (canSkipUntil && snChangeGoal < canSkipUntil) {
if (canSkipDateRanges) {
return HlsSkip.v2;
}
return HlsSkip.Yes;
}
return HlsSkip.No;
}
var HlsUrlParameters = /*#__PURE__*/function () {
function HlsUrlParameters(msn, part, skip) {
this.msn = void 0;
this.part = void 0;
this.skip = void 0;
this.msn = msn;
this.part = part;
this.skip = skip;
}
var _proto = HlsUrlParameters.prototype;
_proto.addDirectives = function addDirectives(uri) {
var url = new self.URL(uri);
var searchParams = url.searchParams;
searchParams.set('_HLS_msn', this.msn.toString());
if (this.part !== undefined) {
searchParams.set('_HLS_part', this.part.toString());
}
if (this.skip) {
searchParams.set('_HLS_skip', this.skip);
}
searchParams.sort();
url.search = searchParams.toString();
return url.toString();
};
return HlsUrlParameters;
}();
var Level = /*#__PURE__*/function () {
function Level(data) {
this.attrs = void 0;
this.audioCodec = void 0;
this.bitrate = void 0;
this.codecSet = void 0;
this.height = void 0;
this.id = void 0;
this.name = void 0;
this.videoCodec = void 0;
this.width = void 0;
this.unknownCodecs = void 0;
this.audioGroupIds = void 0;
this.details = void 0;
this.fragmentError = 0;
this.loadError = 0;
this.loaded = void 0;
this.realBitrate = 0;
this.textGroupIds = void 0;
this.url = void 0;
this._urlId = 0;
this.url = [data.url];
this.attrs = data.attrs;
this.bitrate = data.bitrate;
if (data.details) {
this.details = data.details;
}
this.id = data.id || 0;
this.name = data.name;
this.width = data.width || 0;
this.height = data.height || 0;
this.audioCodec = data.audioCodec;
this.videoCodec = data.videoCodec;
this.unknownCodecs = data.unknownCodecs;
this.codecSet = [data.videoCodec, data.audioCodec].filter(function (c) {
return c;
}).join(',').replace(/\.[^.,]+/g, '');
}
_createClass(Level, [{
key: "maxBitrate",
get: function get() {
return Math.max(this.realBitrate, this.bitrate);
}
}, {
key: "uri",
get: function get() {
return this.url[this._urlId] || '';
}
}, {
key: "urlId",
get: function get() {
return this._urlId;
},
set: function set(value) {
var newValue = value % this.url.length;
if (this._urlId !== newValue) {
this.details = undefined;
this._urlId = newValue;
}
}
}]);
return Level;
}();
/***/ }),
/***/ "./src/types/loader.ts":
/*!*****************************!*\
!*** ./src/types/loader.ts ***!
\*****************************/
/*! exports provided: PlaylistContextType, PlaylistLevelType */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "PlaylistContextType", function() { return PlaylistContextType; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "PlaylistLevelType", function() { return PlaylistLevelType; });
var PlaylistContextType;
(function (PlaylistContextType) {
PlaylistContextType["MANIFEST"] = "manifest";
PlaylistContextType["LEVEL"] = "level";
PlaylistContextType["AUDIO_TRACK"] = "audioTrack";
PlaylistContextType["SUBTITLE_TRACK"] = "subtitleTrack";
})(PlaylistContextType || (PlaylistContextType = {}));
var PlaylistLevelType;
(function (PlaylistLevelType) {
PlaylistLevelType["MAIN"] = "main";
PlaylistLevelType["AUDIO"] = "audio";
PlaylistLevelType["SUBTITLE"] = "subtitle";
})(PlaylistLevelType || (PlaylistLevelType = {}));
/***/ }),
/***/ "./src/types/transmuxer.ts":
/*!*********************************!*\
!*** ./src/types/transmuxer.ts ***!
\*********************************/
/*! exports provided: ChunkMetadata */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ChunkMetadata", function() { return ChunkMetadata; });
var ChunkMetadata = function ChunkMetadata(level, sn, id, size, part, partial) {
if (size === void 0) {
size = 0;
}
if (part === void 0) {
part = -1;
}
if (partial === void 0) {
partial = false;
}
this.level = void 0;
this.sn = void 0;
this.part = void 0;
this.id = void 0;
this.size = void 0;
this.partial = void 0;
this.transmuxing = getNewPerformanceTiming();
this.buffering = {
audio: getNewPerformanceTiming(),
video: getNewPerformanceTiming(),
audiovideo: getNewPerformanceTiming()
};
this.level = level;
this.sn = sn;
this.id = id;
this.size = size;
this.part = part;
this.partial = partial;
};
function getNewPerformanceTiming() {
return {
start: 0,
executeStart: 0,
executeEnd: 0,
end: 0
};
}
/***/ }),
/***/ "./src/utils/attr-list.ts":
/*!********************************!*\
!*** ./src/utils/attr-list.ts ***!
\********************************/
/*! exports provided: AttrList */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "AttrList", function() { return AttrList; });
var DECIMAL_RESOLUTION_REGEX = /^(\d+)x(\d+)$/; // eslint-disable-line no-useless-escape
var ATTR_LIST_REGEX = /\s*(.+?)\s*=((?:\".*?\")|.*?)(?:,|$)/g; // eslint-disable-line no-useless-escape
// adapted from https://github.com/kanongil/node-m3u8parse/blob/master/attrlist.js
var AttrList = /*#__PURE__*/function () {
function AttrList(attrs) {
if (typeof attrs === 'string') {
attrs = AttrList.parseAttrList(attrs);
}
for (var attr in attrs) {
if (attrs.hasOwnProperty(attr)) {
this[attr] = attrs[attr];
}
}
}
var _proto = AttrList.prototype;
_proto.decimalInteger = function decimalInteger(attrName) {
var intValue = parseInt(this[attrName], 10);
if (intValue > Number.MAX_SAFE_INTEGER) {
return Infinity;
}
return intValue;
};
_proto.hexadecimalInteger = function hexadecimalInteger(attrName) {
if (this[attrName]) {
var stringValue = (this[attrName] || '0x').slice(2);
stringValue = (stringValue.length & 1 ? '0' : '') + stringValue;
var value = new Uint8Array(stringValue.length / 2);
for (var i = 0; i < stringValue.length / 2; i++) {
value[i] = parseInt(stringValue.slice(i * 2, i * 2 + 2), 16);
}
return value;
} else {
return null;
}
};
_proto.hexadecimalIntegerAsNumber = function hexadecimalIntegerAsNumber(attrName) {
var intValue = parseInt(this[attrName], 16);
if (intValue > Number.MAX_SAFE_INTEGER) {
return Infinity;
}
return intValue;
};
_proto.decimalFloatingPoint = function decimalFloatingPoint(attrName) {
return parseFloat(this[attrName]);
};
_proto.optionalFloat = function optionalFloat(attrName, defaultValue) {
var value = this[attrName];
return value ? parseFloat(value) : defaultValue;
};
_proto.enumeratedString = function enumeratedString(attrName) {
return this[attrName];
};
_proto.bool = function bool(attrName) {
return this[attrName] === 'YES';
};
_proto.decimalResolution = function decimalResolution(attrName) {
var res = DECIMAL_RESOLUTION_REGEX.exec(this[attrName]);
if (res === null) {
return undefined;
}
return {
width: parseInt(res[1], 10),
height: parseInt(res[2], 10)
};
};
AttrList.parseAttrList = function parseAttrList(input) {
var match;
var attrs = {};
var quote = '"';
ATTR_LIST_REGEX.lastIndex = 0;
while ((match = ATTR_LIST_REGEX.exec(input)) !== null) {
var value = match[2];
if (value.indexOf(quote) === 0 && value.lastIndexOf(quote) === value.length - 1) {
value = value.slice(1, -1);
}
attrs[match[1]] = value;
}
return attrs;
};
return AttrList;
}();
/***/ }),
/***/ "./src/utils/binary-search.ts":
/*!************************************!*\
!*** ./src/utils/binary-search.ts ***!
\************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
var BinarySearch = {
/**
* Searches for an item in an array which matches a certain condition.
* This requires the condition to only match one item in the array,
* and for the array to be ordered.
*
* @param {Array<T>} list The array to search.
* @param {BinarySearchComparison<T>} comparisonFn
* Called and provided a candidate item as the first argument.
* Should return:
* > -1 if the item should be located at a lower index than the provided item.
* > 1 if the item should be located at a higher index than the provided item.
* > 0 if the item is the item you're looking for.
*
* @return {T | null} The object if it is found or null otherwise.
*/
search: function search(list, comparisonFn) {
var minIndex = 0;
var maxIndex = list.length - 1;
var currentIndex = null;
var currentElement = null;
while (minIndex <= maxIndex) {
currentIndex = (minIndex + maxIndex) / 2 | 0;
currentElement = list[currentIndex];
var comparisonResult = comparisonFn(currentElement);
if (comparisonResult > 0) {
minIndex = currentIndex + 1;
} else if (comparisonResult < 0) {
maxIndex = currentIndex - 1;
} else {
return currentElement;
}
}
return null;
}
};
/* harmony default export */ __webpack_exports__["default"] = (BinarySearch);
/***/ }),
/***/ "./src/utils/buffer-helper.ts":
/*!************************************!*\
!*** ./src/utils/buffer-helper.ts ***!
\************************************/
/*! exports provided: BufferHelper */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "BufferHelper", function() { return BufferHelper; });
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/**
* @module BufferHelper
*
* Providing methods dealing with buffer length retrieval for example.
*
* In general, a helper around HTML5 MediaElement TimeRanges gathered from `buffered` property.
*
* Also @see https://developer.mozilla.org/en-US/docs/Web/API/HTMLMediaElement/buffered
*/
var noopBuffered = {
length: 0,
start: function start() {
return 0;
},
end: function end() {
return 0;
}
};
var BufferHelper = /*#__PURE__*/function () {
function BufferHelper() {}
/**
* Return true if `media`'s buffered include `position`
* @param {Bufferable} media
* @param {number} position
* @returns {boolean}
*/
BufferHelper.isBuffered = function isBuffered(media, position) {
try {
if (media) {
var buffered = BufferHelper.getBuffered(media);
for (var i = 0; i < buffered.length; i++) {
if (position >= buffered.start(i) && position <= buffered.end(i)) {
return true;
}
}
}
} catch (error) {// this is to catch
// InvalidStateError: Failed to read the 'buffered' property from 'SourceBuffer':
// This SourceBuffer has been removed from the parent media source
}
return false;
};
BufferHelper.bufferInfo = function bufferInfo(media, pos, maxHoleDuration) {
try {
if (media) {
var vbuffered = BufferHelper.getBuffered(media);
var buffered = [];
var i;
for (i = 0; i < vbuffered.length; i++) {
buffered.push({
start: vbuffered.start(i),
end: vbuffered.end(i)
});
}
return this.bufferedInfo(buffered, pos, maxHoleDuration);
}
} catch (error) {// this is to catch
// InvalidStateError: Failed to read the 'buffered' property from 'SourceBuffer':
// This SourceBuffer has been removed from the parent media source
}
return {
len: 0,
start: pos,
end: pos,
nextStart: undefined
};
};
BufferHelper.bufferedInfo = function bufferedInfo(buffered, pos, maxHoleDuration) {
// sort on buffer.start/smaller end (IE does not always return sorted buffered range)
buffered.sort(function (a, b) {
var diff = a.start - b.start;
if (diff) {
return diff;
} else {
return b.end - a.end;
}
});
var buffered2 = [];
if (maxHoleDuration) {
// there might be some small holes between buffer time range
// consider that holes smaller than maxHoleDuration are irrelevant and build another
// buffer time range representations that discards those holes
for (var i = 0; i < buffered.length; i++) {
var buf2len = buffered2.length;
if (buf2len) {
var buf2end = buffered2[buf2len - 1].end; // if small hole (value between 0 or maxHoleDuration ) or overlapping (negative)
if (buffered[i].start - buf2end < maxHoleDuration) {
// merge overlapping time ranges
// update lastRange.end only if smaller than item.end
// e.g. [ 1, 15] with [ 2,8] => [ 1,15] (no need to modify lastRange.end)
// whereas [ 1, 8] with [ 2,15] => [ 1,15] ( lastRange should switch from [1,8] to [1,15])
if (buffered[i].end > buf2end) {
buffered2[buf2len - 1].end = buffered[i].end;
}
} else {
// big hole
buffered2.push(buffered[i]);
}
} else {
// first value
buffered2.push(buffered[i]);
}
}
} else {
buffered2 = buffered;
}
var bufferLen = 0; // bufferStartNext can possibly be undefined based on the conditional logic below
var bufferStartNext; // bufferStart and bufferEnd are buffer boundaries around current video position
var bufferStart = pos;
var bufferEnd = pos;
for (var _i = 0; _i < buffered2.length; _i++) {
var start = buffered2[_i].start;
var end = buffered2[_i].end; // logger.log('buf start/end:' + buffered.start(i) + '/' + buffered.end(i));
if (pos + maxHoleDuration >= start && pos < end) {
// play position is inside this buffer TimeRange, retrieve end of buffer position and buffer length
bufferStart = start;
bufferEnd = end;
bufferLen = bufferEnd - pos;
} else if (pos + maxHoleDuration < start) {
bufferStartNext = start;
break;
}
}
return {
len: bufferLen,
start: bufferStart || 0,
end: bufferEnd || 0,
nextStart: bufferStartNext
};
}
/**
* Safe method to get buffered property.
* SourceBuffer.buffered may throw if SourceBuffer is removed from it's MediaSource
*/
;
BufferHelper.getBuffered = function getBuffered(media) {
try {
return media.buffered;
} catch (e) {
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].log('failed to get media.buffered', e);
return noopBuffered;
}
};
return BufferHelper;
}();
/***/ }),
/***/ "./src/utils/codecs.ts":
/*!*****************************!*\
!*** ./src/utils/codecs.ts ***!
\*****************************/
/*! exports provided: isCodecType, isCodecSupportedInMp4 */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isCodecType", function() { return isCodecType; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "isCodecSupportedInMp4", function() { return isCodecSupportedInMp4; });
// from http://mp4ra.org/codecs.html
var sampleEntryCodesISO = {
audio: {
a3ds: true,
'ac-3': true,
'ac-4': true,
alac: true,
alaw: true,
dra1: true,
'dts+': true,
'dts-': true,
dtsc: true,
dtse: true,
dtsh: true,
'ec-3': true,
enca: true,
g719: true,
g726: true,
m4ae: true,
mha1: true,
mha2: true,
mhm1: true,
mhm2: true,
mlpa: true,
mp4a: true,
'raw ': true,
Opus: true,
samr: true,
sawb: true,
sawp: true,
sevc: true,
sqcp: true,
ssmv: true,
twos: true,
ulaw: true
},
video: {
avc1: true,
avc2: true,
avc3: true,
avc4: true,
avcp: true,
av01: true,
drac: true,
dvav: true,
dvhe: true,
encv: true,
hev1: true,
hvc1: true,
mjp2: true,
mp4v: true,
mvc1: true,
mvc2: true,
mvc3: true,
mvc4: true,
resv: true,
rv60: true,
s263: true,
svc1: true,
svc2: true,
'vc-1': true,
vp08: true,
vp09: true
},
text: {
stpp: true,
wvtt: true
}
};
function isCodecType(codec, type) {
var typeCodes = sampleEntryCodesISO[type];
return !!typeCodes && typeCodes[codec.slice(0, 4)] === true;
}
function isCodecSupportedInMp4(codec, type) {
return MediaSource.isTypeSupported((type || 'video') + "/mp4;codecs=\"" + codec + "\"");
}
/***/ }),
/***/ "./src/utils/discontinuities.ts":
/*!**************************************!*\
!*** ./src/utils/discontinuities.ts ***!
\**************************************/
/*! exports provided: findFirstFragWithCC, shouldAlignOnDiscontinuities, findDiscontinuousReferenceFrag, adjustSlidingStart, alignStream, alignPDT */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "findFirstFragWithCC", function() { return findFirstFragWithCC; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "shouldAlignOnDiscontinuities", function() { return shouldAlignOnDiscontinuities; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "findDiscontinuousReferenceFrag", function() { return findDiscontinuousReferenceFrag; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "adjustSlidingStart", function() { return adjustSlidingStart; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "alignStream", function() { return alignStream; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "alignPDT", function() { return alignPDT; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _logger__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./logger */ "./src/utils/logger.ts");
/* harmony import */ var _controller_level_helper__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../controller/level-helper */ "./src/controller/level-helper.ts");
function findFirstFragWithCC(fragments, cc) {
var firstFrag = null;
for (var i = 0, len = fragments.length; i < len; i++) {
var currentFrag = fragments[i];
if (currentFrag && currentFrag.cc === cc) {
firstFrag = currentFrag;
break;
}
}
return firstFrag;
}
function shouldAlignOnDiscontinuities(lastFrag, lastLevel, details) {
if (lastLevel.details) {
if (details.endCC > details.startCC || lastFrag && lastFrag.cc < details.startCC) {
return true;
}
}
return false;
} // Find the first frag in the previous level which matches the CC of the first frag of the new level
function findDiscontinuousReferenceFrag(prevDetails, curDetails) {
var prevFrags = prevDetails.fragments;
var curFrags = curDetails.fragments;
if (!curFrags.length || !prevFrags.length) {
_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].log('No fragments to align');
return;
}
var prevStartFrag = findFirstFragWithCC(prevFrags, curFrags[0].cc);
if (!prevStartFrag || prevStartFrag && !prevStartFrag.startPTS) {
_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].log('No frag in previous level to align on');
return;
}
return prevStartFrag;
}
function adjustFragmentStart(frag, sliding) {
if (frag) {
var start = frag.start + sliding;
frag.start = frag.startPTS = start;
frag.endPTS = start + frag.duration;
}
}
function adjustSlidingStart(sliding, details) {
// Update segments
var fragments = details.fragments;
for (var i = 0, len = fragments.length; i < len; i++) {
adjustFragmentStart(fragments[i], sliding);
} // Update LL-HLS parts at the end of the playlist
if (details.fragmentHint) {
adjustFragmentStart(details.fragmentHint, sliding);
}
details.alignedSliding = true;
}
/**
* Using the parameters of the last level, this function computes PTS' of the new fragments so that they form a
* contiguous stream with the last fragments.
* The PTS of a fragment lets Hls.js know where it fits into a stream - by knowing every PTS, we know which fragment to
* download at any given time. PTS is normally computed when the fragment is demuxed, so taking this step saves us time
* and an extra download.
* @param lastFrag
* @param lastLevel
* @param details
*/
function alignStream(lastFrag, lastLevel, details) {
if (!lastLevel) {
return;
}
alignDiscontinuities(lastFrag, details, lastLevel);
if (!details.alignedSliding && lastLevel.details) {
// If the PTS wasn't figured out via discontinuity sequence that means there was no CC increase within the level.
// Aligning via Program Date Time should therefore be reliable, since PDT should be the same within the same
// discontinuity sequence.
alignPDT(details, lastLevel.details);
}
if (!details.alignedSliding && lastLevel.details && !details.skippedSegments) {
// Try to align on sn so that we pick a better start fragment.
// Do not perform this on playlists with delta updates as this is only to align levels on switch
// and adjustSliding only adjusts fragments after skippedSegments.
Object(_controller_level_helper__WEBPACK_IMPORTED_MODULE_2__["adjustSliding"])(lastLevel.details, details);
}
}
/**
* Computes the PTS if a new level's fragments using the PTS of a fragment in the last level which shares the same
* discontinuity sequence.
* @param lastFrag - The last Fragment which shares the same discontinuity sequence
* @param lastLevel - The details of the last loaded level
* @param details - The details of the new level
*/
function alignDiscontinuities(lastFrag, details, lastLevel) {
if (shouldAlignOnDiscontinuities(lastFrag, lastLevel, details)) {
var referenceFrag = findDiscontinuousReferenceFrag(lastLevel.details, details);
if (referenceFrag && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(referenceFrag.start)) {
_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].log("Adjusting PTS using last level due to CC increase within current level " + details.url);
adjustSlidingStart(referenceFrag.start, details);
}
}
}
/**
* Computes the PTS of a new level's fragments using the difference in Program Date Time from the last level.
* @param details - The details of the new level
* @param lastDetails - The details of the last loaded level
*/
function alignPDT(details, lastDetails) {
// This check protects the unsafe "!" usage below for null program date time access.
if (!lastDetails.fragments.length || !details.hasProgramDateTime || !lastDetails.hasProgramDateTime) {
return;
} // if last level sliding is 1000 and its first frag PROGRAM-DATE-TIME is 2017-08-20 1:10:00 AM
// and if new details first frag PROGRAM DATE-TIME is 2017-08-20 1:10:08 AM
// then we can deduce that playlist B sliding is 1000+8 = 1008s
var lastPDT = lastDetails.fragments[0].programDateTime; // hasProgramDateTime check above makes this safe.
var newPDT = details.fragments[0].programDateTime; // date diff is in ms. frag.start is in seconds
var sliding = (newPDT - lastPDT) / 1000 + lastDetails.fragments[0].start;
if (sliding && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(sliding)) {
_logger__WEBPACK_IMPORTED_MODULE_1__["logger"].log("Adjusting PTS using programDateTime delta " + (newPDT - lastPDT) + "ms, sliding:" + sliding.toFixed(3) + " " + details.url + " ");
adjustSlidingStart(sliding, details);
}
}
/***/ }),
/***/ "./src/utils/ewma-bandwidth-estimator.ts":
/*!***********************************************!*\
!*** ./src/utils/ewma-bandwidth-estimator.ts ***!
\***********************************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _utils_ewma__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/ewma */ "./src/utils/ewma.ts");
/*
* EWMA Bandwidth Estimator
* - heavily inspired from shaka-player
* Tracks bandwidth samples and estimates available bandwidth.
* Based on the minimum of two exponentially-weighted moving averages with
* different half-lives.
*/
var EwmaBandWidthEstimator = /*#__PURE__*/function () {
function EwmaBandWidthEstimator(slow, fast, defaultEstimate) {
this.defaultEstimate_ = void 0;
this.minWeight_ = void 0;
this.minDelayMs_ = void 0;
this.slow_ = void 0;
this.fast_ = void 0;
this.defaultEstimate_ = defaultEstimate;
this.minWeight_ = 0.001;
this.minDelayMs_ = 50;
this.slow_ = new _utils_ewma__WEBPACK_IMPORTED_MODULE_0__["default"](slow);
this.fast_ = new _utils_ewma__WEBPACK_IMPORTED_MODULE_0__["default"](fast);
}
var _proto = EwmaBandWidthEstimator.prototype;
_proto.update = function update(slow, fast) {
var slow_ = this.slow_,
fast_ = this.fast_;
if (this.slow_.halfLife !== slow) {
this.slow_ = new _utils_ewma__WEBPACK_IMPORTED_MODULE_0__["default"](slow, slow_.getEstimate(), slow_.getTotalWeight());
}
if (this.fast_.halfLife !== fast) {
this.fast_ = new _utils_ewma__WEBPACK_IMPORTED_MODULE_0__["default"](fast, fast_.getEstimate(), fast_.getTotalWeight());
}
};
_proto.sample = function sample(durationMs, numBytes) {
durationMs = Math.max(durationMs, this.minDelayMs_);
var numBits = 8 * numBytes; // weight is duration in seconds
var durationS = durationMs / 1000; // value is bandwidth in bits/s
var bandwidthInBps = numBits / durationS;
this.fast_.sample(durationS, bandwidthInBps);
this.slow_.sample(durationS, bandwidthInBps);
};
_proto.canEstimate = function canEstimate() {
var fast = this.fast_;
return fast && fast.getTotalWeight() >= this.minWeight_;
};
_proto.getEstimate = function getEstimate() {
if (this.canEstimate()) {
// console.log('slow estimate:'+ Math.round(this.slow_.getEstimate()));
// console.log('fast estimate:'+ Math.round(this.fast_.getEstimate()));
// Take the minimum of these two estimates. This should have the effect of
// adapting down quickly, but up more slowly.
return Math.min(this.fast_.getEstimate(), this.slow_.getEstimate());
} else {
return this.defaultEstimate_;
}
};
_proto.destroy = function destroy() {};
return EwmaBandWidthEstimator;
}();
/* harmony default export */ __webpack_exports__["default"] = (EwmaBandWidthEstimator);
/***/ }),
/***/ "./src/utils/ewma.ts":
/*!***************************!*\
!*** ./src/utils/ewma.ts ***!
\***************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/*
* compute an Exponential Weighted moving average
* - https://en.wikipedia.org/wiki/Moving_average#Exponential_moving_average
* - heavily inspired from shaka-player
*/
var EWMA = /*#__PURE__*/function () {
// About half of the estimated value will be from the last |halfLife| samples by weight.
function EWMA(halfLife, estimate, weight) {
if (estimate === void 0) {
estimate = 0;
}
if (weight === void 0) {
weight = 0;
}
this.halfLife = void 0;
this.alpha_ = void 0;
this.estimate_ = void 0;
this.totalWeight_ = void 0;
this.halfLife = halfLife; // Larger values of alpha expire historical data more slowly.
this.alpha_ = halfLife ? Math.exp(Math.log(0.5) / halfLife) : 0;
this.estimate_ = estimate;
this.totalWeight_ = weight;
}
var _proto = EWMA.prototype;
_proto.sample = function sample(weight, value) {
var adjAlpha = Math.pow(this.alpha_, weight);
this.estimate_ = value * (1 - adjAlpha) + adjAlpha * this.estimate_;
this.totalWeight_ += weight;
};
_proto.getTotalWeight = function getTotalWeight() {
return this.totalWeight_;
};
_proto.getEstimate = function getEstimate() {
if (this.alpha_) {
var zeroFactor = 1 - Math.pow(this.alpha_, this.totalWeight_);
if (zeroFactor) {
return this.estimate_ / zeroFactor;
}
}
return this.estimate_;
};
return EWMA;
}();
/* harmony default export */ __webpack_exports__["default"] = (EWMA);
/***/ }),
/***/ "./src/utils/fetch-loader.ts":
/*!***********************************!*\
!*** ./src/utils/fetch-loader.ts ***!
\***********************************/
/*! exports provided: fetchSupported, default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "fetchSupported", function() { return fetchSupported; });
/* harmony import */ var _home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./src/polyfills/number */ "./src/polyfills/number.ts");
/* harmony import */ var _loader_load_stats__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../loader/load-stats */ "./src/loader/load-stats.ts");
/* harmony import */ var _demux_chunk_cache__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../demux/chunk-cache */ "./src/demux/chunk-cache.ts");
function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; _setPrototypeOf(subClass, superClass); }
function _wrapNativeSuper(Class) { var _cache = typeof Map === "function" ? new Map() : undefined; _wrapNativeSuper = function _wrapNativeSuper(Class) { if (Class === null || !_isNativeFunction(Class)) return Class; if (typeof Class !== "function") { throw new TypeError("Super expression must either be null or a function"); } if (typeof _cache !== "undefined") { if (_cache.has(Class)) return _cache.get(Class); _cache.set(Class, Wrapper); } function Wrapper() { return _construct(Class, arguments, _getPrototypeOf(this).constructor); } Wrapper.prototype = Object.create(Class.prototype, { constructor: { value: Wrapper, enumerable: false, writable: true, configurable: true } }); return _setPrototypeOf(Wrapper, Class); }; return _wrapNativeSuper(Class); }
function _construct(Parent, args, Class) { if (_isNativeReflectConstruct()) { _construct = Reflect.construct; } else { _construct = function _construct(Parent, args, Class) { var a = [null]; a.push.apply(a, args); var Constructor = Function.bind.apply(Parent, a); var instance = new Constructor(); if (Class) _setPrototypeOf(instance, Class.prototype); return instance; }; } return _construct.apply(null, arguments); }
function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }
function _isNativeFunction(fn) { return Function.toString.call(fn).indexOf("[native code]") !== -1; }
function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }
function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }
function fetchSupported() {
if (self.fetch && self.AbortController && self.ReadableStream && self.Request) {
try {
new self.ReadableStream({}); // eslint-disable-line no-new
return true;
} catch (e) {
/* noop */
}
}
return false;
}
var FetchLoader = /*#__PURE__*/function () {
function FetchLoader(config
/* HlsConfig */
) {
this.fetchSetup = void 0;
this.requestTimeout = void 0;
this.request = void 0;
this.response = void 0;
this.controller = void 0;
this.context = void 0;
this.config = null;
this.callbacks = null;
this.stats = void 0;
this.loader = null;
this.fetchSetup = config.fetchSetup || getRequest;
this.controller = new self.AbortController();
this.stats = new _loader_load_stats__WEBPACK_IMPORTED_MODULE_1__["LoadStats"]();
}
var _proto = FetchLoader.prototype;
_proto.destroy = function destroy() {
this.loader = this.callbacks = null;
this.abortInternal();
};
_proto.abortInternal = function abortInternal() {
this.stats.aborted = true;
this.controller.abort();
};
_proto.abort = function abort() {
var _this$callbacks;
this.abortInternal();
if ((_this$callbacks = this.callbacks) !== null && _this$callbacks !== void 0 && _this$callbacks.onAbort) {
this.callbacks.onAbort(this.stats, this.context, this.response);
}
};
_proto.load = function load(context, config, callbacks) {
var _this = this;
var stats = this.stats;
if (stats.loading.start) {
throw new Error('Loader can only be used once.');
}
stats.loading.start = self.performance.now();
var initParams = getRequestParameters(context, this.controller.signal);
var onProgress = callbacks.onProgress;
var isArrayBuffer = context.responseType === 'arraybuffer';
var LENGTH = isArrayBuffer ? 'byteLength' : 'length';
this.context = context;
this.config = config;
this.callbacks = callbacks;
this.request = this.fetchSetup(context, initParams);
self.clearTimeout(this.requestTimeout);
this.requestTimeout = self.setTimeout(function () {
_this.abortInternal();
callbacks.onTimeout(stats, context, _this.response);
}, config.timeout);
self.fetch(this.request).then(function (response) {
_this.response = _this.loader = response;
if (!response.ok) {
var status = response.status,
statusText = response.statusText;
throw new FetchError(statusText || 'fetch, bad network response', status, response);
}
stats.loading.first = Math.max(self.performance.now(), stats.loading.start);
stats.total = parseInt(response.headers.get('Content-Length') || '0');
if (onProgress && Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(config.highWaterMark)) {
_this.loadProgressively(response, stats, context, config.highWaterMark, onProgress);
}
if (isArrayBuffer) {
return response.arrayBuffer();
}
return response.text();
}).then(function (responseData) {
var response = _this.response;
self.clearTimeout(_this.requestTimeout);
stats.loading.end = Math.max(self.performance.now(), stats.loading.first);
stats.loaded = stats.total = responseData[LENGTH];
var loaderResponse = {
url: response.url,
data: responseData
};
if (onProgress && !Object(_home_runner_work_hls_js_hls_js_src_polyfills_number__WEBPACK_IMPORTED_MODULE_0__["isFiniteNumber"])(config.highWaterMark)) {
onProgress(stats, context, responseData, response);
}
callbacks.onSuccess(loaderResponse, stats, context, response);
}).catch(function (error) {
self.clearTimeout(_this.requestTimeout);
if (stats.aborted) {
return;
} // CORS errors result in an undefined code. Set it to 0 here to align with XHR's behavior
var code = error.code || 0;
callbacks.onError({
code: code,
text: error.message
}, context, error.details);
});
};
_proto.getResponseHeader = function getResponseHeader(name) {
if (this.response) {
try {
return this.response.headers.get(name);
} catch (error) {
/* Could not get header */
}
}
return null;
};
_proto.loadProgressively = function loadProgressively(response, stats, context, highWaterMark, onProgress) {
if (highWaterMark === void 0) {
highWaterMark = 0;
}
var chunkCache = new _demux_chunk_cache__WEBPACK_IMPORTED_MODULE_2__["default"]();
var reader = response.clone().body.getReader();
var pump = function pump() {
reader.read().then(function (data) {
if (data.done) {
if (chunkCache.dataLength) {
onProgress(stats, context, chunkCache.flush(), response);
}
return;
}
var chunk = data.value;
var len = chunk.length;
stats.loaded += len;
if (len < highWaterMark || chunkCache.dataLength) {
// The current chunk is too small to to be emitted or the cache already has data
// Push it to the cache
chunkCache.push(chunk);
if (chunkCache.dataLength >= highWaterMark) {
// flush in order to join the typed arrays
onProgress(stats, context, chunkCache.flush(), response);
}
} else {
// If there's nothing cached already, and the chache is large enough
// just emit the progress event
onProgress(stats, context, chunk, response);
}
pump();
}).catch(function () {
/* aborted */
});
};
pump();
};
return FetchLoader;
}();
function getRequestParameters(context, signal) {
var initParams = {
method: 'GET',
mode: 'cors',
credentials: 'same-origin',
signal: signal
};
if (context.rangeEnd) {
initParams.headers = new self.Headers({
Range: 'bytes=' + context.rangeStart + '-' + String(context.rangeEnd - 1)
});
}
return initParams;
}
function getRequest(context, initParams) {
return new self.Request(context.url, initParams);
}
var FetchError = /*#__PURE__*/function (_Error) {
_inheritsLoose(FetchError, _Error);
function FetchError(message, code, details) {
var _this2;
_this2 = _Error.call(this, message) || this;
_this2.code = void 0;
_this2.details = void 0;
_this2.code = code;
_this2.details = details;
return _this2;
}
return FetchError;
}( /*#__PURE__*/_wrapNativeSuper(Error));
/* harmony default export */ __webpack_exports__["default"] = (FetchLoader);
/***/ }),
/***/ "./src/utils/logger.ts":
/*!*****************************!*\
!*** ./src/utils/logger.ts ***!
\*****************************/
/*! exports provided: enableLogs, logger */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "enableLogs", function() { return enableLogs; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "logger", function() { return logger; });
var noop = function noop() {};
var fakeLogger = {
trace: noop,
debug: noop,
log: noop,
warn: noop,
info: noop,
error: noop
};
var exportedLogger = fakeLogger; // let lastCallTime;
// function formatMsgWithTimeInfo(type, msg) {
// const now = Date.now();
// const diff = lastCallTime ? '+' + (now - lastCallTime) : '0';
// lastCallTime = now;
// msg = (new Date(now)).toISOString() + ' | [' + type + '] > ' + msg + ' ( ' + diff + ' ms )';
// return msg;
// }
function consolePrintFn(type) {
var func = self.console[type];
if (func) {
return func.bind(self.console, "[" + type + "] >");
}
return noop;
}
function exportLoggerFunctions(debugConfig) {
for (var _len = arguments.length, functions = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
functions[_key - 1] = arguments[_key];
}
functions.forEach(function (type) {
exportedLogger[type] = debugConfig[type] ? debugConfig[type].bind(debugConfig) : consolePrintFn(type);
});
}
function enableLogs(debugConfig) {
// check that console is available
if (self.console && debugConfig === true || typeof debugConfig === 'object') {
exportLoggerFunctions(debugConfig, // Remove out from list here to hard-disable a log-level
// 'trace',
'debug', 'log', 'info', 'warn', 'error'); // Some browsers don't allow to use bind on console object anyway
// fallback to default if needed
try {
exportedLogger.log();
} catch (e) {
exportedLogger = fakeLogger;
}
} else {
exportedLogger = fakeLogger;
}
}
var logger = exportedLogger;
/***/ }),
/***/ "./src/utils/mediakeys-helper.ts":
/*!***************************************!*\
!*** ./src/utils/mediakeys-helper.ts ***!
\***************************************/
/*! exports provided: KeySystems, requestMediaKeySystemAccess */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "KeySystems", function() { return KeySystems; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "requestMediaKeySystemAccess", function() { return requestMediaKeySystemAccess; });
/**
* @see https://developer.mozilla.org/en-US/docs/Web/API/Navigator/requestMediaKeySystemAccess
*/
var KeySystems;
(function (KeySystems) {
KeySystems["WIDEVINE"] = "com.widevine.alpha";
KeySystems["PLAYREADY"] = "com.microsoft.playready";
})(KeySystems || (KeySystems = {}));
var requestMediaKeySystemAccess = function () {
if (typeof self !== 'undefined' && self.navigator && self.navigator.requestMediaKeySystemAccess) {
return self.navigator.requestMediaKeySystemAccess.bind(self.navigator);
} else {
return null;
}
}();
/***/ }),
/***/ "./src/utils/mediasource-helper.ts":
/*!*****************************************!*\
!*** ./src/utils/mediasource-helper.ts ***!
\*****************************************/
/*! exports provided: getMediaSource */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getMediaSource", function() { return getMediaSource; });
/**
* MediaSource helper
*/
function getMediaSource() {
return self.MediaSource || self.WebKitMediaSource;
}
/***/ }),
/***/ "./src/utils/mp4-tools.ts":
/*!********************************!*\
!*** ./src/utils/mp4-tools.ts ***!
\********************************/
/*! exports provided: bin2str, readUint16, readUint32, writeUint32, findBox, parseSegmentIndex, parseInitSegment, getStartDTS, getDuration, computeRawDurationFromSamples, offsetStartDTS, segmentValidRange, appendUint8Array */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "bin2str", function() { return bin2str; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "readUint16", function() { return readUint16; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "readUint32", function() { return readUint32; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "writeUint32", function() { return writeUint32; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "findBox", function() { return findBox; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "parseSegmentIndex", function() { return parseSegmentIndex; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "parseInitSegment", function() { return parseInitSegment; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getStartDTS", function() { return getStartDTS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getDuration", function() { return getDuration; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "computeRawDurationFromSamples", function() { return computeRawDurationFromSamples; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "offsetStartDTS", function() { return offsetStartDTS; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "segmentValidRange", function() { return segmentValidRange; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "appendUint8Array", function() { return appendUint8Array; });
/* harmony import */ var _typed_array__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./typed-array */ "./src/utils/typed-array.ts");
/* harmony import */ var _loader_fragment__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../loader/fragment */ "./src/loader/fragment.ts");
var UINT32_MAX = Math.pow(2, 32) - 1;
var push = [].push;
function bin2str(data) {
return String.fromCharCode.apply(null, data);
}
function readUint16(buffer, offset) {
if ('data' in buffer) {
offset += buffer.start;
buffer = buffer.data;
}
var val = buffer[offset] << 8 | buffer[offset + 1];
return val < 0 ? 65536 + val : val;
}
function readUint32(buffer, offset) {
if ('data' in buffer) {
offset += buffer.start;
buffer = buffer.data;
}
var val = buffer[offset] << 24 | buffer[offset + 1] << 16 | buffer[offset + 2] << 8 | buffer[offset + 3];
return val < 0 ? 4294967296 + val : val;
}
function writeUint32(buffer, offset, value) {
if ('data' in buffer) {
offset += buffer.start;
buffer = buffer.data;
}
buffer[offset] = value >> 24;
buffer[offset + 1] = value >> 16 & 0xff;
buffer[offset + 2] = value >> 8 & 0xff;
buffer[offset + 3] = value & 0xff;
} // Find the data for a box specified by its path
function findBox(input, path) {
var results = [];
if (!path.length) {
// short-circuit the search for empty paths
return results;
}
var data;
var start;
var end;
if ('data' in input) {
data = input.data;
start = input.start;
end = input.end;
} else {
data = input;
start = 0;
end = data.byteLength;
}
for (var i = start; i < end;) {
var size = readUint32(data, i);
var type = bin2str(data.subarray(i + 4, i + 8));
var endbox = size > 1 ? i + size : end;
if (type === path[0]) {
if (path.length === 1) {
// this is the end of the path and we've found the box we were
// looking for
results.push({
data: data,
start: i + 8,
end: endbox
});
} else {
// recursively search for the next box along the path
var subresults = findBox({
data: data,
start: i + 8,
end: endbox
}, path.slice(1));
if (subresults.length) {
push.apply(results, subresults);
}
}
}
i = endbox;
} // we've finished searching all of data
return results;
}
function parseSegmentIndex(initSegment) {
var moovBox = findBox(initSegment, ['moov']);
var moov = moovBox[0];
var moovEndOffset = moov ? moov.end : null; // we need this in case we need to chop of garbage of the end of current data
var sidxBox = findBox(initSegment, ['sidx']);
if (!sidxBox || !sidxBox[0]) {
return null;
}
var references = [];
var sidx = sidxBox[0];
var version = sidx.data[0]; // set initial offset, we skip the reference ID (not needed)
var index = version === 0 ? 8 : 16;
var timescale = readUint32(sidx, index);
index += 4; // TODO: parse earliestPresentationTime and firstOffset
// usually zero in our case
var earliestPresentationTime = 0;
var firstOffset = 0;
if (version === 0) {
index += 8;
} else {
index += 16;
} // skip reserved
index += 2;
var startByte = sidx.end + firstOffset;
var referencesCount = readUint16(sidx, index);
index += 2;
for (var i = 0; i < referencesCount; i++) {
var referenceIndex = index;
var referenceInfo = readUint32(sidx, referenceIndex);
referenceIndex += 4;
var referenceSize = referenceInfo & 0x7fffffff;
var referenceType = (referenceInfo & 0x80000000) >>> 31;
if (referenceType === 1) {
// eslint-disable-next-line no-console
console.warn('SIDX has hierarchical references (not supported)');
return null;
}
var subsegmentDuration = readUint32(sidx, referenceIndex);
referenceIndex += 4;
references.push({
referenceSize: referenceSize,
subsegmentDuration: subsegmentDuration,
// unscaled
info: {
duration: subsegmentDuration / timescale,
start: startByte,
end: startByte + referenceSize - 1
}
});
startByte += referenceSize; // Skipping 1 bit for |startsWithSap|, 3 bits for |sapType|, and 28 bits
// for |sapDelta|.
referenceIndex += 4; // skip to next ref
index = referenceIndex;
}
return {
earliestPresentationTime: earliestPresentationTime,
timescale: timescale,
version: version,
referencesCount: referencesCount,
references: references,
moovEndOffset: moovEndOffset
};
}
/**
* Parses an MP4 initialization segment and extracts stream type and
* timescale values for any declared tracks. Timescale values indicate the
* number of clock ticks per second to assume for time-based values
* elsewhere in the MP4.
*
* To determine the start time of an MP4, you need two pieces of
* information: the timescale unit and the earliest base media decode
* time. Multiple timescales can be specified within an MP4 but the
* base media decode time is always expressed in the timescale from
* the media header box for the track:
* ```
* moov > trak > mdia > mdhd.timescale
* moov > trak > mdia > hdlr
* ```
* @param initSegment {Uint8Array} the bytes of the init segment
* @return {InitData} a hash of track type to timescale values or null if
* the init segment is malformed.
*/
function parseInitSegment(initSegment) {
var result = [];
var traks = findBox(initSegment, ['moov', 'trak']);
for (var i = 0; i < traks.length; i++) {
var trak = traks[i];
var tkhd = findBox(trak, ['tkhd'])[0];
if (tkhd) {
var version = tkhd.data[tkhd.start];
var _index = version === 0 ? 12 : 20;
var trackId = readUint32(tkhd, _index);
var mdhd = findBox(trak, ['mdia', 'mdhd'])[0];
if (mdhd) {
version = mdhd.data[mdhd.start];
_index = version === 0 ? 12 : 20;
var timescale = readUint32(mdhd, _index);
var hdlr = findBox(trak, ['mdia', 'hdlr'])[0];
if (hdlr) {
var hdlrType = bin2str(hdlr.data.subarray(hdlr.start + 8, hdlr.start + 12));
var type = {
soun: _loader_fragment__WEBPACK_IMPORTED_MODULE_1__["ElementaryStreamTypes"].AUDIO,
vide: _loader_fragment__WEBPACK_IMPORTED_MODULE_1__["ElementaryStreamTypes"].VIDEO
}[hdlrType];
if (type) {
// Parse codec details
var stsd = findBox(trak, ['mdia', 'minf', 'stbl', 'stsd'])[0];
var codec = void 0;
if (stsd) {
codec = bin2str(stsd.data.subarray(stsd.start + 12, stsd.start + 16)); // TODO: Parse codec details to be able to build MIME type.
// stsd.start += 8;
// const codecBox = findBox(stsd, [codec])[0];
// if (codecBox) {
// TODO: Codec parsing support for avc1, mp4a, hevc, av01...
// }
}
result[trackId] = {
timescale: timescale,
type: type
};
result[type] = {
timescale: timescale,
id: trackId,
codec: codec
};
}
}
}
}
}
var trex = findBox(initSegment, ['moov', 'mvex', 'trex']);
trex.forEach(function (trex) {
var trackId = readUint32(trex, 4);
var track = result[trackId];
if (track) {
track.default = {
duration: readUint32(trex, 12),
flags: readUint32(trex, 20)
};
}
});
return result;
}
/**
* Determine the base media decode start time, in seconds, for an MP4
* fragment. If multiple fragments are specified, the earliest time is
* returned.
*
* The base media decode time can be parsed from track fragment
* metadata:
* ```
* moof > traf > tfdt.baseMediaDecodeTime
* ```
* It requires the timescale value from the mdhd to interpret.
*
* @param initData {InitData} a hash of track type to timescale values
* @param fmp4 {Uint8Array} the bytes of the mp4 fragment
* @return {number} the earliest base media decode start time for the
* fragment, in seconds
*/
function getStartDTS(initData, fmp4) {
// we need info from two children of each track fragment box
return findBox(fmp4, ['moof', 'traf']).reduce(function (result, traf) {
var tfdt = findBox(traf, ['tfdt'])[0];
var version = tfdt.data[tfdt.start];
var start = findBox(traf, ['tfhd']).reduce(function (result, tfhd) {
// get the track id from the tfhd
var id = readUint32(tfhd, 4);
var track = initData[id];
if (track) {
var baseTime = readUint32(tfdt, 4);
if (version === 1) {
baseTime *= Math.pow(2, 32);
baseTime += readUint32(tfdt, 8);
} // assume a 90kHz clock if no timescale was specified
var scale = track.timescale || 90e3; // convert base time to seconds
var startTime = baseTime / scale;
if (isFinite(startTime) && (result === null || startTime < result)) {
return startTime;
}
}
return result;
}, null);
if (start !== null && isFinite(start) && (result === null || start < result)) {
return start;
}
return result;
}, null) || 0;
}
/*
For Reference:
aligned(8) class TrackFragmentHeaderBox
extends FullBox(‘tfhd’, 0, tf_flags){
unsigned int(32) track_ID;
// all the following are optional fields
unsigned int(64) base_data_offset;
unsigned int(32) sample_description_index;
unsigned int(32) default_sample_duration;
unsigned int(32) default_sample_size;
unsigned int(32) default_sample_flags
}
*/
function getDuration(data, initData) {
var rawDuration = 0;
var videoDuration = 0;
var audioDuration = 0;
var trafs = findBox(data, ['moof', 'traf']);
for (var i = 0; i < trafs.length; i++) {
var traf = trafs[i]; // There is only one tfhd & trun per traf
// This is true for CMAF style content, and we should perhaps check the ftyp
// and only look for a single trun then, but for ISOBMFF we should check
// for multiple track runs.
var tfhd = findBox(traf, ['tfhd'])[0]; // get the track id from the tfhd
var id = readUint32(tfhd, 4);
var track = initData[id];
if (!track) {
continue;
}
var trackDefault = track.default;
var tfhdFlags = readUint32(tfhd, 0) | (trackDefault === null || trackDefault === void 0 ? void 0 : trackDefault.flags);
var sampleDuration = trackDefault === null || trackDefault === void 0 ? void 0 : trackDefault.duration;
if (tfhdFlags & 0x000008) {
// 0x000008 indicates the presence of the default_sample_duration field
if (tfhdFlags & 0x000002) {
// 0x000002 indicates the presence of the sample_description_index field, which precedes default_sample_duration
// If present, the default_sample_duration exists at byte offset 12
sampleDuration = readUint32(tfhd, 12);
} else {
// Otherwise, the duration is at byte offset 8
sampleDuration = readUint32(tfhd, 8);
}
} // assume a 90kHz clock if no timescale was specified
var timescale = track.timescale || 90e3;
var truns = findBox(traf, ['trun']);
for (var j = 0; j < truns.length; j++) {
if (sampleDuration) {
var sampleCount = readUint32(truns[j], 4);
rawDuration = sampleDuration * sampleCount;
} else {
rawDuration = computeRawDurationFromSamples(truns[j]);
}
if (track.type === _loader_fragment__WEBPACK_IMPORTED_MODULE_1__["ElementaryStreamTypes"].VIDEO) {
videoDuration += rawDuration / timescale;
} else if (track.type === _loader_fragment__WEBPACK_IMPORTED_MODULE_1__["ElementaryStreamTypes"].AUDIO) {
audioDuration += rawDuration / timescale;
}
}
}
if (videoDuration === 0 && audioDuration === 0) {
// If duration samples are not available in the traf use sidx subsegment_duration
var sidx = parseSegmentIndex(data);
if (sidx !== null && sidx !== void 0 && sidx.references) {
return sidx.references.reduce(function (dur, ref) {
return dur + ref.info.duration || 0;
}, 0);
}
}
if (videoDuration) {
return videoDuration;
}
return audioDuration;
}
/*
For Reference:
aligned(8) class TrackRunBox
extends FullBox(‘trun’, version, tr_flags) {
unsigned int(32) sample_count;
// the following are optional fields
signed int(32) data_offset;
unsigned int(32) first_sample_flags;
// all fields in the following array are optional
{
unsigned int(32) sample_duration;
unsigned int(32) sample_size;
unsigned int(32) sample_flags
if (version == 0)
{ unsigned int(32)
else
{ signed int(32)
}[ sample_count ]
}
*/
function computeRawDurationFromSamples(trun) {
var flags = readUint32(trun, 0); // Flags are at offset 0, non-optional sample_count is at offset 4. Therefore we start 8 bytes in.
// Each field is an int32, which is 4 bytes
var offset = 8; // data-offset-present flag
if (flags & 0x000001) {
offset += 4;
} // first-sample-flags-present flag
if (flags & 0x000004) {
offset += 4;
}
var duration = 0;
var sampleCount = readUint32(trun, 4);
for (var i = 0; i < sampleCount; i++) {
// sample-duration-present flag
if (flags & 0x000100) {
var sampleDuration = readUint32(trun, offset);
duration += sampleDuration;
offset += 4;
} // sample-size-present flag
if (flags & 0x000200) {
offset += 4;
} // sample-flags-present flag
if (flags & 0x000400) {
offset += 4;
} // sample-composition-time-offsets-present flag
if (flags & 0x000800) {
offset += 4;
}
}
return duration;
}
function offsetStartDTS(initData, fmp4, timeOffset) {
findBox(fmp4, ['moof', 'traf']).forEach(function (traf) {
findBox(traf, ['tfhd']).forEach(function (tfhd) {
// get the track id from the tfhd
var id = readUint32(tfhd, 4);
var track = initData[id];
if (!track) {
return;
} // assume a 90kHz clock if no timescale was specified
var timescale = track.timescale || 90e3; // get the base media decode time from the tfdt
findBox(traf, ['tfdt']).forEach(function (tfdt) {
var version = tfdt.data[tfdt.start];
var baseMediaDecodeTime = readUint32(tfdt, 4);
if (version === 0) {
writeUint32(tfdt, 4, baseMediaDecodeTime - timeOffset * timescale);
} else {
baseMediaDecodeTime *= Math.pow(2, 32);
baseMediaDecodeTime += readUint32(tfdt, 8);
baseMediaDecodeTime -= timeOffset * timescale;
baseMediaDecodeTime = Math.max(baseMediaDecodeTime, 0);
var upper = Math.floor(baseMediaDecodeTime / (UINT32_MAX + 1));
var lower = Math.floor(baseMediaDecodeTime % (UINT32_MAX + 1));
writeUint32(tfdt, 4, upper);
writeUint32(tfdt, 8, lower);
}
});
});
});
} // TODO: Check if the last moof+mdat pair is part of the valid range
function segmentValidRange(data) {
var segmentedRange = {
valid: null,
remainder: null
};
var moofs = findBox(data, ['moof']);
if (!moofs) {
return segmentedRange;
} else if (moofs.length < 2) {
segmentedRange.remainder = data;
return segmentedRange;
}
var last = moofs[moofs.length - 1]; // Offset by 8 bytes; findBox offsets the start by as much
segmentedRange.valid = Object(_typed_array__WEBPACK_IMPORTED_MODULE_0__["sliceUint8"])(data, 0, last.start - 8);
segmentedRange.remainder = Object(_typed_array__WEBPACK_IMPORTED_MODULE_0__["sliceUint8"])(data, last.start - 8);
return segmentedRange;
}
function appendUint8Array(data1, data2) {
var temp = new Uint8Array(data1.length + data2.length);
temp.set(data1);
temp.set(data2, data1.length);
return temp;
}
/***/ }),
/***/ "./src/utils/texttrack-utils.ts":
/*!**************************************!*\
!*** ./src/utils/texttrack-utils.ts ***!
\**************************************/
/*! exports provided: sendAddTrackEvent, addCueToTrack, clearCurrentCues, removeCuesInRange, getCuesInRange */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "sendAddTrackEvent", function() { return sendAddTrackEvent; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "addCueToTrack", function() { return addCueToTrack; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "clearCurrentCues", function() { return clearCurrentCues; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "removeCuesInRange", function() { return removeCuesInRange; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "getCuesInRange", function() { return getCuesInRange; });
/* harmony import */ var _logger__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./logger */ "./src/utils/logger.ts");
function sendAddTrackEvent(track, videoEl) {
var event;
try {
event = new Event('addtrack');
} catch (err) {
// for IE11
event = document.createEvent('Event');
event.initEvent('addtrack', false, false);
}
event.track = track;
videoEl.dispatchEvent(event);
}
function addCueToTrack(track, cue) {
// Sometimes there are cue overlaps on segmented vtts so the same
// cue can appear more than once in different vtt files.
// This avoid showing duplicated cues with same timecode and text.
var mode = track.mode;
if (mode === 'disabled') {
track.mode = 'hidden';
}
if (track.cues && !track.cues.getCueById(cue.id)) {
try {
track.addCue(cue);
if (!track.cues.getCueById(cue.id)) {
throw new Error("addCue is failed for: " + cue);
}
} catch (err) {
_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].debug("[texttrack-utils]: " + err);
var textTrackCue = new self.TextTrackCue(cue.startTime, cue.endTime, cue.text);
textTrackCue.id = cue.id;
track.addCue(textTrackCue);
}
}
if (mode === 'disabled') {
track.mode = mode;
}
}
function clearCurrentCues(track) {
// When track.mode is disabled, track.cues will be null.
// To guarantee the removal of cues, we need to temporarily
// change the mode to hidden
var mode = track.mode;
if (mode === 'disabled') {
track.mode = 'hidden';
}
if (!track.cues) {
return;
}
for (var i = track.cues.length; i--;) {
track.removeCue(track.cues[i]);
}
if (mode === 'disabled') {
track.mode = mode;
}
}
function removeCuesInRange(track, start, end) {
var mode = track.mode;
if (mode === 'disabled') {
track.mode = 'hidden';
}
if (!track.cues || !track.cues.length) {
return;
}
var cues = getCuesInRange(track.cues, start, end);
for (var i = 0; i < cues.length; i++) {
track.removeCue(cues[i]);
}
if (mode === 'disabled') {
track.mode = mode;
}
} // Find first cue starting after given time.
// Modified version of binary search O(log(n)).
function getFirstCueIndexAfterTime(cues, time) {
// If first cue starts after time, start there
if (time < cues[0].startTime) {
return 0;
} // If the last cue ends before time there is no overlap
var len = cues.length - 1;
if (time > cues[len].endTime) {
return -1;
}
var left = 0;
var right = len;
while (left <= right) {
var mid = Math.floor((right + left) / 2);
if (time < cues[mid].startTime) {
right = mid - 1;
} else if (time > cues[mid].startTime && left < len) {
left = mid + 1;
} else {
// If it's not lower or higher, it must be equal.
return mid;
}
} // At this point, left and right have swapped.
// No direct match was found, left or right element must be the closest. Check which one has the smallest diff.
return cues[left].startTime - time < time - cues[right].startTime ? left : right;
}
function getCuesInRange(cues, start, end) {
var cuesFound = [];
var firstCueInRange = getFirstCueIndexAfterTime(cues, start);
if (firstCueInRange > -1) {
for (var i = firstCueInRange, len = cues.length; i < len; i++) {
var cue = cues[i];
if (cue.startTime >= start && cue.endTime <= end) {
cuesFound.push(cue);
} else if (cue.startTime > end) {
return cuesFound;
}
}
}
return cuesFound;
}
/***/ }),
/***/ "./src/utils/time-ranges.ts":
/*!**********************************!*\
!*** ./src/utils/time-ranges.ts ***!
\**********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/**
* TimeRanges to string helper
*/
var TimeRanges = {
toString: function toString(r) {
var log = '';
var len = r.length;
for (var i = 0; i < len; i++) {
log += '[' + r.start(i).toFixed(3) + ',' + r.end(i).toFixed(3) + ']';
}
return log;
}
};
/* harmony default export */ __webpack_exports__["default"] = (TimeRanges);
/***/ }),
/***/ "./src/utils/timescale-conversion.ts":
/*!*******************************************!*\
!*** ./src/utils/timescale-conversion.ts ***!
\*******************************************/
/*! exports provided: toTimescaleFromBase, toTimescaleFromScale, toMsFromMpegTsClock, toMpegTsClockFromTimescale */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "toTimescaleFromBase", function() { return toTimescaleFromBase; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "toTimescaleFromScale", function() { return toTimescaleFromScale; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "toMsFromMpegTsClock", function() { return toMsFromMpegTsClock; });
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "toMpegTsClockFromTimescale", function() { return toMpegTsClockFromTimescale; });
var MPEG_TS_CLOCK_FREQ_HZ = 90000;
function toTimescaleFromBase(value, destScale, srcBase, round) {
if (srcBase === void 0) {
srcBase = 1;
}
if (round === void 0) {
round = false;
}
var result = value * destScale * srcBase; // equivalent to `(value * scale) / (1 / base)`
return round ? Math.round(result) : result;
}
function toTimescaleFromScale(value, destScale, srcScale, round) {
if (srcScale === void 0) {
srcScale = 1;
}
if (round === void 0) {
round = false;
}
return toTimescaleFromBase(value, destScale, 1 / srcScale, round);
}
function toMsFromMpegTsClock(value, round) {
if (round === void 0) {
round = false;
}
return toTimescaleFromBase(value, 1000, 1 / MPEG_TS_CLOCK_FREQ_HZ, round);
}
function toMpegTsClockFromTimescale(value, srcScale) {
if (srcScale === void 0) {
srcScale = 1;
}
return toTimescaleFromBase(value, MPEG_TS_CLOCK_FREQ_HZ, 1 / srcScale);
}
/***/ }),
/***/ "./src/utils/typed-array.ts":
/*!**********************************!*\
!*** ./src/utils/typed-array.ts ***!
\**********************************/
/*! exports provided: sliceUint8 */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "sliceUint8", function() { return sliceUint8; });
function sliceUint8(array, start, end) {
// @ts-expect-error This polyfills IE11 usage of Uint8Array slice.
// It always exists in the TypeScript definition so fails, but it fails at runtime on IE11.
return Uint8Array.prototype.slice ? array.slice(start, end) : new Uint8Array(Array.prototype.slice.call(array, start, end));
}
/***/ }),
/***/ "./src/utils/xhr-loader.ts":
/*!*********************************!*\
!*** ./src/utils/xhr-loader.ts ***!
\*********************************/
/*! exports provided: default */
/***/ (function(module, __webpack_exports__, __webpack_require__) {
"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _utils_logger__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/logger */ "./src/utils/logger.ts");
/* harmony import */ var _loader_load_stats__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../loader/load-stats */ "./src/loader/load-stats.ts");
var XhrLoader = /*#__PURE__*/function () {
function XhrLoader(config
/* HlsConfig */
) {
this.xhrSetup = void 0;
this.requestTimeout = void 0;
this.retryTimeout = void 0;
this.retryDelay = void 0;
this.config = null;
this.callbacks = null;
this.context = void 0;
this.loader = null;
this.stats = void 0;
this.xhrSetup = config ? config.xhrSetup : null;
this.stats = new _loader_load_stats__WEBPACK_IMPORTED_MODULE_1__["LoadStats"]();
this.retryDelay = 0;
}
var _proto = XhrLoader.prototype;
_proto.destroy = function destroy() {
this.callbacks = null;
this.abortInternal();
this.loader = null;
this.config = null;
};
_proto.abortInternal = function abortInternal() {
var loader = this.loader;
self.clearTimeout(this.requestTimeout);
self.clearTimeout(this.retryTimeout);
if (loader) {
loader.onreadystatechange = null;
loader.onprogress = null;
if (loader.readyState !== 4) {
this.stats.aborted = true;
loader.abort();
}
}
};
_proto.abort = function abort() {
var _this$callbacks;
this.abortInternal();
if ((_this$callbacks = this.callbacks) !== null && _this$callbacks !== void 0 && _this$callbacks.onAbort) {
this.callbacks.onAbort(this.stats, this.context, this.loader);
}
};
_proto.load = function load(context, config, callbacks) {
if (this.stats.loading.start) {
throw new Error('Loader can only be used once.');
}
this.stats.loading.start = self.performance.now();
this.context = context;
this.config = config;
this.callbacks = callbacks;
this.retryDelay = config.retryDelay;
this.loadInternal();
};
_proto.loadInternal = function loadInternal() {
var config = this.config,
context = this.context;
if (!config) {
return;
}
var xhr = this.loader = new self.XMLHttpRequest();
var stats = this.stats;
stats.loading.first = 0;
stats.loaded = 0;
var xhrSetup = this.xhrSetup;
try {
if (xhrSetup) {
try {
xhrSetup(xhr, context.url);
} catch (e) {
// fix xhrSetup: (xhr, url) => {xhr.setRequestHeader("Content-Language", "test");}
// not working, as xhr.setRequestHeader expects xhr.readyState === OPEN
xhr.open('GET', context.url, true);
xhrSetup(xhr, context.url);
}
}
if (!xhr.readyState) {
xhr.open('GET', context.url, true);
}
} catch (e) {
// IE11 throws an exception on xhr.open if attempting to access an HTTP resource over HTTPS
this.callbacks.onError({
code: xhr.status,
text: e.message
}, context, xhr);
return;
}
if (context.rangeEnd) {
xhr.setRequestHeader('Range', 'bytes=' + context.rangeStart + '-' + (context.rangeEnd - 1));
}
xhr.onreadystatechange = this.readystatechange.bind(this);
xhr.onprogress = this.loadprogress.bind(this);
xhr.responseType = context.responseType; // setup timeout before we perform request
self.clearTimeout(this.requestTimeout);
this.requestTimeout = self.setTimeout(this.loadtimeout.bind(this), config.timeout);
xhr.send();
};
_proto.readystatechange = function readystatechange() {
var context = this.context,
xhr = this.loader,
stats = this.stats;
if (!context || !xhr) {
return;
}
var readyState = xhr.readyState;
var config = this.config; // don't proceed if xhr has been aborted
if (stats.aborted) {
return;
} // >= HEADERS_RECEIVED
if (readyState >= 2) {
// clear xhr timeout and rearm it if readyState less than 4
self.clearTimeout(this.requestTimeout);
if (stats.loading.first === 0) {
stats.loading.first = Math.max(self.performance.now(), stats.loading.start);
}
if (readyState === 4) {
xhr.onreadystatechange = null;
xhr.onprogress = null;
var status = xhr.status; // http status between 200 to 299 are all successful
if (status >= 200 && status < 300) {
stats.loading.end = Math.max(self.performance.now(), stats.loading.first);
var data;
var len;
if (context.responseType === 'arraybuffer') {
data = xhr.response;
len = data.byteLength;
} else {
data = xhr.responseText;
len = data.length;
}
stats.loaded = stats.total = len;
if (!this.callbacks) {
return;
}
var onProgress = this.callbacks.onProgress;
if (onProgress) {
onProgress(stats, context, data, xhr);
}
if (!this.callbacks) {
return;
}
var response = {
url: xhr.responseURL,
data: data
};
this.callbacks.onSuccess(response, stats, context, xhr);
} else {
// if max nb of retries reached or if http status between 400 and 499 (such error cannot be recovered, retrying is useless), return error
if (stats.retry >= config.maxRetry || status >= 400 && status < 499) {
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].error(status + " while loading " + context.url);
this.callbacks.onError({
code: status,
text: xhr.statusText
}, context, xhr);
} else {
// retry
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].warn(status + " while loading " + context.url + ", retrying in " + this.retryDelay + "..."); // abort and reset internal state
this.abortInternal();
this.loader = null; // schedule retry
self.clearTimeout(this.retryTimeout);
this.retryTimeout = self.setTimeout(this.loadInternal.bind(this), this.retryDelay); // set exponential backoff
this.retryDelay = Math.min(2 * this.retryDelay, config.maxRetryDelay);
stats.retry++;
}
}
} else {
// readyState >= 2 AND readyState !==4 (readyState = HEADERS_RECEIVED || LOADING) rearm timeout as xhr not finished yet
self.clearTimeout(this.requestTimeout);
this.requestTimeout = self.setTimeout(this.loadtimeout.bind(this), config.timeout);
}
}
};
_proto.loadtimeout = function loadtimeout() {
_utils_logger__WEBPACK_IMPORTED_MODULE_0__["logger"].warn("timeout while loading " + this.context.url);
var callbacks = this.callbacks;
if (callbacks) {
this.abortInternal();
callbacks.onTimeout(this.stats, this.context, this.loader);
}
};
_proto.loadprogress = function loadprogress(event) {
var stats = this.stats;
stats.loaded = event.loaded;
if (event.lengthComputable) {
stats.total = event.total;
}
};
_proto.getResponseHeader = function getResponseHeader(name) {
if (this.loader) {
try {
return this.loader.getResponseHeader(name);
} catch (error) {
/* Could not get headers */
}
}
return null;
};
return XhrLoader;
}();
/* harmony default export */ __webpack_exports__["default"] = (XhrLoader);
/***/ })
/******/ })["default"];
});
//# sourceMappingURL=hls.light.js.map
|
cdnjs/cdnjs
|
ajax/libs/hls.js/1.0.0-rc.5.0.canary.7016/hls.light.js
|
JavaScript
|
mit
| 749,909 |
var express = require('express');
var router = express.Router();
var mongoose = require('mongoose');
var ObjectId = mongoose.Types.ObjectId;
var Speech = require('../models/speech');
var Vote = require('../models/vote');
var Config = require('../models/config');
router.get('/', function getVotingPage(req, res, next) {
Speech.getRandom2(function(err, doc1, doc2) {
if (err) throw err;
req.session.first = doc1;
req.session.second = doc2;
var info = {
title: "Which is better?",
first: doc1,
second: doc2
};
res.render('index', info);
})
});
router.get('/rank', function getRankPage(req, res, next) {
Speech.find().sort({rating: -1}).exec(function(err, docs) {
if (err) throw err;
var list = [];
for (var i = 0; i < docs.length; ++i) {
list.push({
rank: i+1,
speaker: docs[i].speaker,
title: docs[i].title,
rating: docs[i].rating
});
}
var info = {
title: 'Rank List',
speeches: list
}
res.render("rank", info);
})
})
router.post('/vote', function postVote(req, res, next) {
var first = req.session.first;
var second = req.session.second;
var choice = req.body.choice;
if (first && second && (choice in ["0", "1", "2"])) {
choice = parseInt(choice);
var d = {
first: first._id,
second: second._id,
result: choice,
ip: req.headers['x-forwarded-for'] || req.connection.remoteAddress
};
Vote.create(d, function(err, doc) {
if (err) throw err;
res.redirect("/");
})
} else {
res.send("illegal");
}
})
/*router.get('/import-list', function getImportList(req, res, next) {
var list = [
];
var speeches = [];
for (var i = 0; i < list.length; ++i) {
speeches.push({
speaker: list[i][0],
title: list[i][1],
rating: 1500,
})
}
Speech.create(speeches, function(err, docs) {
if (err) throw err;
var id = ObjectId("000000000000000000000000");
Config.create({key:"lastid", value:id}, function(err, doc) {
res.send("done");
if (err) throw err;
})
})
});*/
function updateRating() {
function newEloRating(old, result) {
var Ea = 1 / (1 + Math.pow(10, (old.b-old.a)/400));
var Eb = 1 / (1 + Math.pow(10, (old.a-old.b)/400));
var K = 16;
var Sa = null, Sb = null;
if (result === 1) {
Sa = 1;
Sb = 0;
} else if (result === 2) {
Sa = 0;
Sb = 1;
} else {
Sa = Sb = 0.5;
}
return {
a: Math.floor(old.a + K * (Sa - Ea)),
b: Math.floor(old.b + K * (Sb - Eb))
}
}
Config.findOne({key: "lastid"}, function(err, iddoc) {
if (err) throw err;
Vote.find({_id: {$gt: iddoc.value}}).sort({_id: 1}).exec(function(err, votes) {
if (err) throw err;
if (!votes.length) {
setTimeout(updateRating, 10000);
return;
}
Speech.find().exec(function(err, speeches) {
if (err) throw err;
var rating = {};
for (var i = 0; i < speeches.length; ++i)
rating[speeches[i]._id] = speeches[i].rating;
for (var i = 0; i < votes.length; ++i) {
var first = votes[i].first;
var second = votes[i].second;
var result = votes[i].result;
var old = {
a: rating[first],
b: rating[second]
}
var res = newEloRating(old, result);
rating[first] = res.a;
rating[second] = res.b;
}
for (var i = 0; i < speeches.length; ++i) {
var id = speeches[i]._id;
var info = { $set: { rating: rating[id] } };
Speech.findByIdAndUpdate(id, info, function(err) {
if (err) throw err;
})
}
var info = { key: "lastid", value: votes[votes.length-1]._id };
Config.findByIdAndUpdate(iddoc._id, info, function(err) {
if (err) throw err;
setTimeout(updateRating, 10000);
})
})
})
})
}
module.exports = router;
updateRating();
|
abcdabcd987/students-forum
|
routes/index.js
|
JavaScript
|
mit
| 4,721 |
'use strict';
module.exports = {
up: function (queryInterface, Sequelize) {
return queryInterface.bulkInsert('roles', [
{
title: 'user',
created_at: new Date(),
updated_at: new Date()
},
{
title: 'admin',
created_at: new Date(),
updated_at: new Date()
},
{
title: 'super_admin',
created_at: new Date(),
updated_at: new Date()
}
], {});
},
down: function (queryInterface, Sequelize) {
return queryInterface.bulkDelete('roles', null, {});
}
};
|
troystauffer/petcollab-api
|
seeders/20170413024734-user-roles.js
|
JavaScript
|
mit
| 572 |
'use strict';
const spawnEntities = require('./lib/entities');
const applyStyles = require('./lib/styles');
const {createChild} = require('./lib/child-operations');
function getContentTree(content) {
const blockTrees = content.blocks.map((item) => getBlockTree(item, content.entityMap));
return {
component: 'root',
children: [].concat(...blockTrees)
};
}
function getBlockTree(block, entityMap) {
const initialRange = {
offset: 0,
length: block.text.length
};
const textNode = {
range: initialRange,
text: block.text
};
const initialChild = createChild(textNode, block.type, initialRange);
const treeWithEntities = spawnEntities(initialChild, block.entityRanges, entityMap);
const treeWithStyles = applyStyles(treeWithEntities, block.inlineStyleRanges);
return treeWithStyles;
}
module.exports = getContentTree;
|
AladdiX/rawdraftjs-to-tree
|
index.js
|
JavaScript
|
mit
| 910 |
define(function (require) {
'use strict';
/**
* Module dependencies.
*/
var Aloha = require('aloha'),
Ui = require('ui/ui'),
Button = require('ui/button'),
plugin = require('aloha/plugin'),
Dom = require('aptoma/lib/dom'),
Style = require('aptoma/lib/style'),
$ = require('jquery');
/**
* Create & register the plugin.
*/
return plugin.create('reset', {
/**
* Default settings.
*
* @type {Object}
*/
defaults: {
whitelist: {
/**
* Classes to not remove.
*
* @type {Array}
*/
classes: [],
/**
* Style property names to not remove (camelCased style).
*
* @type {Array}
*/
styles: []
}
},
/**
* Executed on plugin initialization.
*/
init: function () {
// merge user settings with the defaults
this.settings = $.extend(true, this.defaults, this.settings);
this.button = Ui.adopt('reset', Button, {
tooltip: 'Remove classes & styles from selected text',
icon: 'aloha-icon aloha-plugin-reset-button',
click: $.proxy(this.onButtonClick, this)
});
},
/**
* Called when clicking the remove styling button.
*/
onButtonClick: function () {
this.resetStyleForSelection();
},
/**
* Reset styling on the current selection.
*/
resetStyleForSelection: function () {
var self = this,
range = Aloha.Selection.getRangeObject();
if (range.isCollapsed()) {
return;
}
Dom.recursiveElementCleanup(function (el) {
if ($(el).attr('class')) {
$.each(Style.getClassNames(el), function (idx, className) {
if (self.settings.whitelist.classes.indexOf(className) < 0) {
Style.removeClass(el, className);
}
});
} else {
$(el).removeAttr('class');
}
if ($(el).attr('style')) {
$.each(Style.getStyles(el, true), function (propertyName) {
if (self.settings.whitelist.styles.indexOf(propertyName) < 0) {
Style.removeStyle(el, propertyName);
}
});
} else {
$(el).removeAttr('style');
}
});
}
});
});
|
aptoma/aloha-plugins
|
plugins/reset/lib/reset-plugin.js
|
JavaScript
|
mit
| 2,059 |
/*
Copyright 2017 Keith Peters
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 context = bitlib.context(0, 0),
width = context.width,
height = context.height;
var c0 = {
x: 300,
y: 325,
r: 60
};
var c1 = {
x: 660,
y: 500,
r: 150
};
var fill = true,
draw0 = true,
draw1 = true,
drawInner = true,
drawOuter = true,
dragCircle,
offsetX,
offsetY,
hue = bitlib.random.int(360),
bg = bitlib.color.hsv(hue, 0.2, 1);
context.fillStyle = bitlib.color.hsv(hue, 1, 1);
panel
.addRange("radius 0", 5, 500, c0.r, 1, function(value) {
c0.r = value;
draw();
})
.addRange("radius 1", 5, 500, c1.r, 1, function(value) {
c1.r = value;
draw();
})
.addBoolean("fill", fill, function(value) {
fill = value;
draw();
})
.addBoolean("draw 0", draw0, function(value) {
draw0 = value;
draw();
})
.addBoolean("draw 1", draw1, function(value) {
draw1 = value;
draw();
})
.addBoolean("draw inner", drawInner, function(value) {
drawInner = value;
draw();
})
.addBoolean("draw outer", drawOuter, function(value) {
drawOuter = value;
draw();
})
draw();
context.canvas.addEventListener("mousedown", onMouseDown);
function onMouseDown(event) {
var dx = event.clientX - c0.x,
dy = event.clientY - c0.y,
dist = Math.sqrt(dx * dx + dy * dy);
if(dist < c0.r) {
dragCircle = c0;
offsetX = dx;
offsetY = dy;
document.addEventListener("mousemove", onMouseMove);
document.addEventListener("mouseup", onMouseUp);
return;
}
var dx = event.clientX - c1.x,
dy = event.clientY - c1.y,
dist = Math.sqrt(dx * dx + dy * dy);
if(dist < c1.r) {
dragCircle = c1;
offsetX = dx;
offsetY = dy;
document.addEventListener("mousemove", onMouseMove);
document.addEventListener("mouseup", onMouseUp);
}
}
function onMouseMove(event) {
dragCircle.x = event.clientX - offsetX;
dragCircle.y = event.clientY - offsetY;
draw();
}
function onMouseUp(event) {
document.removeEventListener("mousemove", onMouseMove);
document.removeEventListener("mouseup", onMouseUp);
}
function draw() {
context.clear(bg);
var points = circleTangents(c0, c1);
if(fill) {
if(!draw0 && draw1) {
fillAndStroke(c0, draw0);
fillAndStroke(c1, draw1);
}
else {
fillAndStroke(c1, draw1);
fillAndStroke(c0, draw0);
}
context.beginPath();
for(var i = 0; i < points.length; i++) {
context.lineTo(points[i].x, points[i].y);
}
context.fill();
}
if(drawOuter) {
context.beginPath();
context.moveTo(points[0].x, points[0].y);
context.lineTo(points[3].x, points[3].y);
context.moveTo(points[1].x, points[1].y);
context.lineTo(points[2].x, points[2].y);
context.stroke();
}
if(drawInner) {
context.beginPath();
context.moveTo(points[0].x, points[0].y);
context.lineTo(c0.x, c0.y);
context.lineTo(points[1].x, points[1].y);
context.moveTo(points[2].x, points[2].y);
context.lineTo(c1.x, c1.y);
context.lineTo(points[3].x, points[3].y);
context.moveTo(c0.x, c0.y);
context.lineTo(c1.x, c1.y);
context.stroke();
}
if(draw0) {
context.strokeCircle(c0.x, c0.y, c0.r);
}
if(draw1) {
context.strokeCircle(c1.x, c1.y, c1.r);
}
}
function fillAndStroke(c, stroke) {
context.fillCircle(c.x, c.y, c.r);
if(drawOuter && !stroke) {
context.strokeCircle(c.x, c.y, c.r);
}
}
// One of the great aspects of this project is that I now have a record of useful functions and techniques.
// I probably won't use this often enough to put it in a library, but I do need it once in a while.
// Next time I won't have to figure it out from scratch again, just come here and grab it.
function circleTangents(c0, c1) {
// probably not the most efficient algorithm possible.
// but it works and I understand it.
var h = bitlib.math.dist(c0, c1), // hypotenuse of triangle
adj = c0.r - c1.r, // adjacent side of triangle
a0 = Math.atan2(c1.y - c0.y,
c1.x - c0.x), // angle between circles
a1 = Math.acos(adj / h), // angle of triangle
a2 = a0 - a1, // angle to one tangent point
a3 = a0 + a1, // angle to other tangent point
p0 = { // x, y of one tangent point
x: c0.x + Math.cos(a2) * c0.r,
y: c0.y + Math.sin(a2) * c0.r
},
p1 = { // x, y of other tangent point
x: c0.x + Math.cos(a3) * c0.r,
y: c0.y + Math.sin(a3) * c0.r
};
// swap everything to the other circle's viewpoint and repeat.
a0 += Math.PI;
a1 = Math.acos(-adj / h);
a2 = a0 - a1;
a3 = a0 + a1;
var p2 = {
x: c1.x + Math.cos(a2) * c1.r,
y: c1.y + Math.sin(a2) * c1.r
},
p3 = {
x: c1.x + Math.cos(a3) * c1.r,
y: c1.y + Math.sin(a3) * c1.r
};
return [p0, p1, p2, p3];
}
|
bit101/lab
|
dailies/170318.js
|
JavaScript
|
mit
| 6,414 |
import React from 'react';
import { DropdownButton, MenuItem } from 'react-bootstrap';
import PropTypes from 'prop-types';
import injectT from '../../../../../app/i18n/injectT';
import { RESERVATION_STATE } from '../../../../constants/ReservationState';
const UntranslatedManageReservationsDropdown = ({
t, onInfoClick, reservation,
onEditClick,
onEditReservation,
userCanModify,
userCanCancel,
}) => {
const isRequestedReservation = reservation.state === RESERVATION_STATE.REQUESTED;
return (
<div className="app-ManageReservationDropdown">
<DropdownButton
id="app-ManageReservationDropdown"
title={t('ManageReservationsList.actionsHeader')}
>
<MenuItem onClick={onInfoClick}>
{t('ManageReservationsList.actionLabel.information')}
</MenuItem>
{userCanModify && isRequestedReservation && (
<>
<MenuItem
onClick={() => onEditReservation(reservation, RESERVATION_STATE.CONFIRMED)}
>
{t('ManageReservationsList.actionLabel.approve')}
</MenuItem>
<MenuItem
onClick={() => onEditReservation(reservation, RESERVATION_STATE.DENIED)}
>
{t('ManageReservationsList.actionLabel.deny')}
</MenuItem>
</>
)}
{userCanModify && (
<MenuItem
onClick={onEditClick}
>
{t('ManageReservationsList.actionLabel.edit')}
</MenuItem>
)}
{userCanCancel && (
<MenuItem
onClick={() => onEditReservation(reservation, RESERVATION_STATE.CANCELLED, true)}
>
{t('ManageReservationsList.actionLabel.cancel')}
</MenuItem>
)}
</DropdownButton>
</div>
);
};
UntranslatedManageReservationsDropdown.propTypes = {
t: PropTypes.func,
onInfoClick: PropTypes.func,
reservation: PropTypes.object,
onEditClick: PropTypes.func,
onEditReservation: PropTypes.func,
userCanCancel: PropTypes.bool,
userCanModify: PropTypes.bool,
};
export { UntranslatedManageReservationsDropdown };
export default injectT(UntranslatedManageReservationsDropdown);
|
fastmonkeys/respa-ui
|
src/domain/reservation/manage/action/ManageReservationsDropdown.js
|
JavaScript
|
mit
| 2,203 |
var currentlyBuilding = [];
var BaseClass = createBaseClass();
function createBaseClass() {
var Class = ClassDefinerFactory('BaseClass');
Class.addClassDecorator = addClassDecorator;
Class.addClassAnnotation = addClassAnnotation;
Class.addComponent = addComponent;
Class.addDecorator = addDecorator;
Class.addAnnotation = addAnnotation;
Class.eventListeners.push(fnToExportHandlers);
Class.eventListeners.push({
beforeDefined: function ($class) {
var queuedDecorators = $class.$classDefiner.queuedDecorators;
ot.forEach(queuedDecorators, function runDecorator(decorator) {
if (ot.isArray(decorator)) {
ot.forEach(decorator, runDecorator);
decorator.length = 0;
} else {
decorator($class);
}
});
queuedDecorators.length = 0;
}
});
return Class;
}
function ClassDefinerFactory(definerName, parent) {
var ClassDefiner = createDynamicNameFn(definerName, {
asConstructor: handleNewClass,
asFunction: handleNewClass
});
ot.merge(ClassDefiner, parent || {
ot: ot,
EventEmitter: EventEmitter,
child: function (name) {
var childClassDefiner = ClassDefinerFactory(name, this);
this.events.emit('newChild', [childClassDefiner]);
return childClassDefiner;
},
destroy: function () {
if (parent) {
ot.unbindInherit(this.prototype);
ot.unbindInherit(this.fnToExport);
}
this.events.emit('destroy');
}
});
if (!parent) {
ClassDefiner.fnToExport = {};
ClassDefiner.eventListeners = [];
ClassDefiner.queuedDecorators = [];
ClassDefiner.prototype = ot.inherit(EventEmitter.prototype, {
addComponent: function (component) {
this.components.push(component);
this.emit('newComponent', [component, this]);
},
getLastComponent: function () {
return this.components[this.components.length-1];
}
});
} else {
ClassDefiner.fnToExport = ot.boundInherit(parent.fnToExport);
ClassDefiner.eventListeners = [parent.eventListeners];
ClassDefiner.queuedDecorators = [parent.queuedDecorators];
ClassDefiner.prototype = ot.boundInherit(parent.prototype);
}
ClassDefiner.events = new EventEmitter();
ClassDefiner.prototype.constructor = ClassDefiner;
return ClassDefiner;
function handleNewClass(name, definitionFn) {
if (!(this instanceof ClassDefiner)) {
return new ClassDefiner(name, definitionFn);
}
EventEmitter.call(this);
var Class = this;
this.$classDefiner = ClassDefiner;
this.name = name;
this.classConstructor = createDynamicNameFn(name, {
asConstructor: function () {
Class.emit('newInstance', [Class, this, ot.toArray(arguments)]);
},
asFunction: ot.noop
});
this.classConstructor.$class = this;
this.classConstructor.prototype.$class = this;
this.$$usedPlugins = {};
this.components = [];
this.annotations = [];
ClassDefiner.events.emit('newClass', [this]);
// add listeners
ot.forEach(ClassDefiner.eventListeners, function addListeners(listeners) {
if (ot.isArray(listeners)) {
ot.forEach(listeners, addListeners, this);
} else {
this.on(listeners);
}
}, this);
this.emit('beforeDefined', [this]);
currentlyBuilding.unshift(this);
definitionFn.call(this.classConstructor);
currentlyBuilding.shift();
this.emit('defined', [this]);
this.emit('afterDefined', [this]);
return this.classConstructor;
}
}
|
rodyhaddad/classicaljs
|
src/BaseClass.js
|
JavaScript
|
mit
| 4,017 |
'use strict';
const path = require('path');
const { html: sanitizeHtml, plainText: sanitizeText } = require(path.resolve('./services/text'));
/**
* Given an object, sanitize all its string properties (deep)
* @param {object} object - the object to sanitize
* @param {string[]} htmlFields - a list of fields which are allowed to contain some html, the rest is plaintext
*/
function sanitizeObjectProperties(object, htmlFields) {
for (const field in object) {
// sanitize all string fields of the object
switch (typeof object[field]) {
case 'string': {
if (htmlFields.indexOf(field) > -1) {
// some of them are expected to be html
object[field] = sanitizeHtml(object[field]);
} else {
// the rest is plaintext
object[field] = sanitizeText(object[field]);
}
break;
}
// sanitize nested objects
case 'object': {
sanitizeObjectProperties(object[field], htmlFields);
}
}
}
}
/**
* The middleware sanitizes all string properties of req.body
* @todo should it sanitize deeply, too?
*/
module.exports = function sanitizer(req, res, next) {
// body properties which are expected to be html (otherwise plaintext)
const htmlFields = [
'description', // user description
'body', // message body
'reference', // contact reference
'message', // contact request message
'story', // userTag story
'content', // content of comment
'detail' // detail of idea
];
sanitizeObjectProperties(req.body, htmlFields);
return next();
};
|
ditup/ditapi
|
controllers/validators/sanitizer.js
|
JavaScript
|
mit
| 1,588 |
// Copyright whogloo, inc. 2017. All Rights Reserved.
// Node module: @whogloo/nodespeed
// This file is licensed under the MIT License.
// License text available at https://opensource.org/licenses/MIT
'use strict';
const should = require('should');
const path = require('path');
const bootpath = path.resolve(path.join(__dirname,'./fixtures/simple-integration-app/server'));
const Nodespeed = require('../');
describe('when running an app using nodespeed,', () => {
let app;
before((done) => {
app = Nodespeed();
app.boot(bootpath).then(() => {
done();
})
.catch((e) => {
done(e);
});
});
it('there should be a patients model', (done) => {
should.exist(app.models.patient);
done();
});
it('there should be a user model', (done) => {
should.exist(app.models.user);
done();
});
it('there should be a nodespeed model', (done) => {
should.exist(app.models.Nodespeed);
done();
});
describe('the user model dictionary entry', (done) => {
it('should have 7 properties', (done) => {
app.schema.dictionary.model.user.properties.length.should.eql(7);
done();
});
});
describe('when testing the merged models', (done) => {
it('the accessToken model should have a single relation', (done) => {
app.schema.dictionary.model.accessToken.relations.length.should.be.eql(1);
done();
});
it('the store model should have a 3 relations', (done) => {
app.schema.dictionary.model.store.relations.length.should.be.eql(3);
done();
});
it('the widget.storeId property should not have an isInherited flag ', (done) => {
should.not.exist(app.schema.dictionary.model.widget.property['storeId'].nodespeed.isInherited);
done();
});
it('the widgetA.storeId property should have an isInherited flag set to true', (done) => {
app.schema.dictionary.model.widgetA.property['storeId'].nodespeed.isInherited.should.be.eql(true);
done();
});
it('the widgetB model dictionary entry should have 7 properties', (done) => {
app.schema.dictionary.model.widgetB.properties.length.should.eql(7);
done();
});
it('the widgetB.storeId property should have an isInherited flag set to true', (done) => {
app.schema.dictionary.model.widgetB.property['storeId'].nodespeed.isInherited.should.be.eql(true);
done();
});
});
});
|
whoGloo/nodespeed
|
test/merged-models.test.js
|
JavaScript
|
mit
| 2,640 |
/*
*
* UserRegister
*
*/
import React, { PropTypes } from 'react';
import { connect } from 'react-redux';
import styled from 'styled-components';
import { FormattedMessage } from 'react-intl';
import { createStructuredSelector } from 'reselect';
import AuthInputGroup from 'components/auth/AuthInputGroup';
import { onChangeUsernameAction, onChangeEmailAction, onDoRegisterAction, onChangePasswordAction, onChangeVerifyPasswordAction } from './actions';
import { USERNAME_UID, PASSWORD_UID, VERIFY_PASSWORD_UID, EMAIL_UID } from './constants';
// import makeSelectUserRegister from './selectors';
import messages from './messages';
import RegisterButton from './RegisterButton';
import VerifyErrorMessage from './VerifyErrorMessage';
import { makeSelectVerifyError, makeSelectVerifyErrorMsg } from './selectors';
// is there a better way? Will this have any problems?
// export for testing
export const usernameMsg = (<FormattedMessage {...messages.usernameInput} />);
export const passwordMsg = (<FormattedMessage {...messages.passwordInput} />);
export const verifyPasswordMsg = (<FormattedMessage {...messages.verifyPasswordInput} />);
export const emailMsg = (<FormattedMessage {...messages.emailInput} />);
const LeftWord = styled.h1`
font-size: 1.0em;
text-align: left;
color: Navy;
font-family: 'Arial Rounded MT Bold', Helvetica, Arial, sans-serif;
`;
export class UserRegister extends React.PureComponent { // eslint-disable-line react/prefer-stateless-function
render() {
return (
<div>
<LeftWord>
<VerifyErrorMessage
verifyError={this.props.verifyError}
verifyErrorMsg={this.props.verifyErrorMsg}
/>
<AuthInputGroup
uid={USERNAME_UID}
display={usernameMsg}
onChange={this.props.onChangeUsername}
/>
<AuthInputGroup
password
uid={PASSWORD_UID}
display={passwordMsg}
onChange={this.props.onChangePassword}
/>
<AuthInputGroup
password
uid={VERIFY_PASSWORD_UID}
display={verifyPasswordMsg}
onChange={this.props.onChangeVerifyPassword}
/>
<AuthInputGroup
uid={EMAIL_UID}
display={emailMsg}
onChange={this.props.onChangeEmail}
onEnter={this.props.onDoRegister}
/>
</LeftWord>
<RegisterButton onDoRegister={this.props.onDoRegister} />
</div>
);
}
}
UserRegister.propTypes = {
onChangeUsername: PropTypes.func.isRequired,
onChangePassword: PropTypes.func.isRequired,
onChangeEmail: PropTypes.func.isRequired,
onChangeVerifyPassword: PropTypes.func.isRequired,
onDoRegister: PropTypes.func.isRequired,
verifyError: PropTypes.bool.isRequired,
verifyErrorMsg: PropTypes.string.isRequired,
};
export const mapStateToProps = createStructuredSelector({
verifyError: makeSelectVerifyError(),
verifyErrorMsg: makeSelectVerifyErrorMsg(),
});
export function mapDispatchToProps(dispatch) {
return {
onChangeUsername: (evt) => dispatch(onChangeUsernameAction(evt.target.value)),
onChangePassword: (evt) => dispatch(onChangePasswordAction(evt.target.value)),
onChangeVerifyPassword: (evt) => dispatch(onChangeVerifyPasswordAction(evt.target.value)),
onChangeEmail: (evt) => dispatch(onChangeEmailAction(evt.target.value)),
onDoRegister: () => dispatch(onDoRegisterAction()),
};
}
export default connect(mapStateToProps, mapDispatchToProps)(UserRegister);
|
VeloCloud/website-ui
|
app/containers/UserRegister/index.js
|
JavaScript
|
mit
| 3,562 |
/**
*
*/
const sg = require('sgsg');
const _ = sg._;
const { qm } = require('quick-merge');
const sh = sg.extlibs.shelljs;
const jetpackA = require('fs-jetpack');
const pathLib = require('path');
const tempy = require('tempy');
const ARGV = sg.ARGV();
const argvGet = sg.argvGet;
const argvExtract = sg.argvExtract;
const setOnn = sg.setOnn;
const deref = sg.deref;
var jetpack;
const showUsage = function(msg) {
return sg.die(`Usage: cheat ${msg || ''}`);
};
var templateLibs = {};
var lib = {};
exports.main = async function() {
const jpRoot = jetpackA.cwd(__dirname, '..');
const jpTemplates = jpRoot.cwd('templates-active');
if (ARGV.v || ARGV.verbose) {
sh.config.verbose = true;
}
// `it` is the template or snip name (from the dir or filename)
var it = ARGV.it || ARGV.args.shift();
// Need a template
if (!it) {
return showUsage();
}
const jpTemplate = jpTemplates.cwd(it);
var argv = _.omit(ARGV.getParams({skipArgs:true}), 'verbose', 'it');
argv = sg.reduce(argv, {}, (m, value, key) => {
return sg.kv(m, key, sg.smartValue(value));
});
var utils = _.extend({}, require('../lib/utils'), require('../lib/jetpack-file'));
const mod = require(jpTemplate.cwd()) || {};
var root = {};
const boot = mod.boot;
if (typeof boot === 'function') {
root = await boot(jetpackA, argv, utils);
}
const destRoot = root.dest || jetpackA.cwd();
jetpack = jetpackA.cwd(destRoot);
var current = {};
const main = mod.main;
if (typeof main !== 'function') { return showUsage(`${jpTemplate.cwd()} missing main()`); }
var next;
var phase = {phase: 'start', iteration: 0};
while (!phase.done) {
current = updateCurrentFiles(current);
phase = await main(jetpack, argv, phase, current, utils);
}
function updateCurrentFiles(current) {
const result = qm(current, {
destFiles: jetpack.find({matching:'*'})
});
return result;
}
// const files = jpTemplate.find({matching:'*'});
// var count = 0;
// _.each(files, fullname => {
// var parts = fullname.split(pathLib.sep);
// const filename = parts.pop();
// const path = pathLib.join(...parts);
// const [
// name_,
// tExt,
// ...rest] = filename.split('.');
// const name = ((name_ === '_file') ? itName || 'index' : name_);
// const ext = ((name_ === '_file' && itExt) ? itExt : tExt);
// const stat = jpTemplate.inspect(fullname);
// const dest = pathLib.join(itPath, path, `${name}.${ext}`);
// const src = fullname;
// // We have src, dest, ext
// process(jpTemplate, src, dest, tExt, rest);
// count += 1;
// });
// if (count === 0) {
// showUsage("no files processed");
// }
};
// ---------------------------------------------------------
// The processors
var processors = {};
// Read a file, and do foo-style processing
const readFile = processors.file = function(jpTempl, src_, dest_X, ext) {
const src0 = jpTempl.cwd(src_).cwd();
const src = fooify(src0, _.omit(ARGV.getParams({skipArgs:true}), 'verbose', 'it'));
if (ext === 'json') {
return jetpack.read(src, 'jsonWithDates');
}
return jetpack.read(src);
};
/**
* Require the file, and pass in ARGS; the file will return the
* built-out content.
*/
processors.js = function(jpTempl, src_, dest, ext) {
const src = jpTempl.cwd(src_).cwd();
const mod = require(src) || {};
const fn = mod[ext] || function(){};
const argv = sg.reduce(ARGV.getParams({skipArgs:true}), {}, (m, value, key) => {
return sg.kv(m, key, sg.smartValue(value));
});
return fn(argv) || '';
};
/**
* Process one file.
*/
function process(jpTempl, src_, dest, ext, procs) {
const src = jpTempl.cwd(src_).cwd();
const proc = procs.pop() || 'file';
var content = processors[proc](jpTempl, src_, dest, ext);
//console.log(`${src_} --> ${dest}`);
// Append strings to the end of files (the original file is almost always empty)
if (typeof content === 'string') {
jetpack.append(dest, content);
// Merge contents of JSON files
} else if (typeof content === 'object') {
const orig = jetpack.read(dest, 'jsonWithDates') || {};
content = qm(orig, content);
jetpack.write(dest, content);
}
}
/**
* Do foo-style processing on a file.
*
*/
function fooify(src, argv) {
var dest = tempy.file();
sh.cat(src).to(dest);
_.each(argv, (value, key) => {
if (typeof value === 'string') {
sh.sed('-i', snakeRex(key), sg.toSnakeCase(value), dest);
sh.sed('-i', camelRex(key), sg.toCamelCase(value), dest);
sh.sed('-i', capitalRex(key), sg.toCapitalCase(value), dest);
}
});
return dest;
}
function snakeRex(str) {
return RegExp(sg.toSnakeCase(str), 'g');
}
function camelRex(str) {
return RegExp(sg.toCamelCase(str), 'g');
}
function capitalRex(str) {
return RegExp(sg.toCapitalCase(str), 'g');
}
|
briancsparks/cheatsheets
|
bin/cheat-active.js
|
JavaScript
|
mit
| 5,243 |
// original by: Kevin van Zonneveld (http://kevin.vanzonneveld.net)
function strip_tags(input, allowed) {
var tags = /<\/?([a-z][a-z0-9]*)\b[^>]*>/gi,
commentsAndPhpTags = /<!--[\s\S]*?-->|<\?(?:php)?[\s\S]*?\?>/gi;
// making sure the allowed arg is a string containing only tags in lowercase (<a><b><c>)
allowed = (((allowed || "") + "").toLowerCase().match(/<[a-z][a-z0-9]*>/g) || []).join('');
return input.replace(commentsAndPhpTags, '').replace(tags, function ($0, $1) {
return allowed.indexOf('<' + $1.toLowerCase() + '>') > -1 ? $0 : '';
});
};
function linkRenderer (instance, td, row, col, prop, value, cellProperties) {
if ( value == null)
{
Handsontable.renderers.TextRenderer.apply(this, arguments);
return td;
}
var data = value.split("|");
if (data.length!=2)
{
Handsontable.renderers.TextRenderer.apply(this, arguments);
}
else
{
var label = Handsontable.helper.stringify(data[0]);
label=strip_tags(label, '<em><b><strong><a><big>');
var link = Handsontable.helper.stringify(data[1]);
var escaped = strip_tags(link, '<em><b><strong><a><big>');
if (link.indexOf('http') === 0) {
td.innerHTML = "<a href="+escaped+">"+label+"</a>";
}
else
{
Handsontable.renderers.TextRenderer.apply(this, arguments);
}
}
return td;
};
|
f-alonso-vendrell/nossfi
|
app/assets/javascripts/LinkRenderer.js
|
JavaScript
|
mit
| 1,433 |
// Copyright (c) 2015, Łukasz Walukiewicz <lukasz@miracle.systems>.
// Licensed under the MIT License <http://opensource.org/licenses/MIT>.
// Part of the node-glp2 project <http://miracle.systems/p/node-glp2>.
'use strict';
var util = require('./util');
var constants = require('./constants');
var Response = require('./Response');
module.exports = OrderDataDemandResponse;
/**
* @constructor
* @extends {Response}
* @param {Array.<string>} orderData
*/
function OrderDataDemandResponse(orderData)
{
Response.call(this, constants.ResponseType.ORDER_DATA_DEMAND);
/**
* @type {Array.<string>}
*/
this.orderData = orderData;
}
util.inherits(OrderDataDemandResponse, Response);
/**
* @param {Buffer} responseBuffer
* @returns {OrderDataDemandResponse}
*/
OrderDataDemandResponse.fromResponseBuffer = function(responseBuffer)
{
return new OrderDataDemandResponse(util.decodeResponseBuffer(responseBuffer).map(util.decodeStringValue));
};
|
morkai/node-glp2
|
lib/OrderDataDemandResponse.js
|
JavaScript
|
mit
| 964 |
export en from './en';
export ja from './ja';
|
nanopx/simple-object-schema
|
src/locales/index.js
|
JavaScript
|
mit
| 46 |
/*
* Kendo UI v2014.2.716 (http://www.telerik.com/kendo-ui)
* Copyright 2014 Telerik AD. All rights reserved.
*
* Kendo UI commercial licenses may be obtained at
* http://www.telerik.com/purchase/license-agreement/kendo-ui-complete
* If you do not own a commercial license, this file shall be governed by the trial license terms.
*/
(function(f, define){
define([], f);
})(function(){
(function( window, undefined ) {
var kendo = window.kendo || (window.kendo = { cultures: {} });
kendo.cultures["af-ZA"] = {
name: "af-ZA",
numberFormat: {
pattern: ["-n"],
decimals: 2,
",": ",",
".": ".",
groupSize: [3],
percent: {
pattern: ["-n%","n%"],
decimals: 2,
",": ",",
".": ".",
groupSize: [3],
symbol: "%"
},
currency: {
pattern: ["$-n","$ n"],
decimals: 2,
",": ",",
".": ".",
groupSize: [3],
symbol: "R"
}
},
calendars: {
standard: {
days: {
names: ["Sondag","Maandag","Dinsdag","Woensdag","Donderdag","Vrydag","Saterdag"],
namesAbbr: ["Son","Maan","Dins","Woen","Dond","Vry","Sat"],
namesShort: ["So","Ma","Di","Wo","Do","Vr","Sa"]
},
months: {
names: ["Januarie","Februarie","Maart","April","Mei","Junie","Julie","Augustus","September","Oktober","November","Desember",""],
namesAbbr: ["Jan","Feb","Mar","Apr","Mei","Jun","Jul","Aug","Sep","Okt","Nov","Des",""]
},
AM: ["AM","am","AM"],
PM: ["PM","pm","PM"],
patterns: {
d: "yyyy/MM/dd",
D: "dd MMMM yyyy",
F: "dd MMMM yyyy hh:mm:ss tt",
g: "yyyy/MM/dd hh:mm tt",
G: "yyyy/MM/dd hh:mm:ss tt",
m: "dd MMMM",
M: "dd MMMM",
s: "yyyy'-'MM'-'dd'T'HH':'mm':'ss",
t: "hh:mm tt",
T: "hh:mm:ss tt",
u: "yyyy'-'MM'-'dd HH':'mm':'ss'Z'",
y: "MMMM yyyy",
Y: "MMMM yyyy"
},
"/": "/",
":": ":",
firstDay: 0
}
}
}
})(this);
return window.kendo;
}, typeof define == 'function' && define.amd ? define : function(_, f){ f(); });
|
gdavidkov/Fleet-management-system
|
Source/FleetManagmentSystem/Web/FleetManagmentSystem.Web/Scripts/kendo/cultures/kendo.culture.af-ZA.js
|
JavaScript
|
mit
| 2,678 |
var Sound = (function(exports) {
var DUPLICATES = 5;
var pool = {};
exports.init = function(sounds) {
Utils.forEachObj(sounds, function(id, soundDesc) {
pool[id] = [];
for (var sourceIndex = 0; sourceIndex < soundDesc.sources.length; sourceIndex++) {
var source = soundDesc.sources[sourceIndex];
var variant = [];
pool[id].push(variant);
for (var i = 0; i < DUPLICATES; i++) {
var sound = new Audio(source.url);
sound.volume = source.volume || soundDesc.volume;
// sound.loop = soundDesc.loop;
sound.load();
sound.addEventListener('ended', (function(desc) {
return function() {
if (desc.onEnded) {
exports.play(desc.onEnded);
}
};
})(soundDesc));
variant.push(sound);
}
}
});
};
exports.play = function(id) {
var variants = pool[id];
var variant = variants[Math.floor(Math.random() * variants.length)];
var sound = variant.pop();
variant.unshift(sound);
sound.play();
};
return exports;
})(Sound || {});
|
ReddogStone/twinkle
|
engine/sound.js
|
JavaScript
|
mit
| 1,029 |
'use strict';
angular.module('myApp.view1', ['ngRoute'])
.config(['$routeProvider', function($routeProvider) {
$routeProvider.when('/view1', {
templateUrl: 'view1/view1.html',
controller: 'View1Ctrl'
});
}])
.controller('View1Ctrl', [function() {
angular.element('#tabSummary').parent().find('.navTab').removeClass('active');
angular.element('#tabSummary').addClass('active');
}]);
|
timi-project/angularjsTest1
|
app/view1/view1.js
|
JavaScript
|
mit
| 408 |
const _ = require('lodash');
const log = require('debug')('loopback:connector:elasticsearch');
// CONSTANTS
const SEARCHAFTERKEY = '_search_after';
const TOTALCOUNTKEY = '_total_count';
function replaceById(modelName, id, data, options, callback) {
const self = this;
log('ESConnector.prototype.replaceById', 'modelName', modelName, 'id', id, 'data', data);
const idName = self.idName(modelName);
if (id === undefined || id === null) {
throw new Error('id not set!');
}
// eslint-disable-next-line no-underscore-dangle
const modelProperties = this._models[modelName].properties;
const document = self.addDefaults(modelName, 'replaceById');
document[self.idField] = self.getDocumentId(id);
document.body = {};
_.assign(document.body, data);
document.body.docType = modelName;
if (Object.prototype.hasOwnProperty.call(modelProperties, idName)) {
document.body[idName] = id;
}
if (document.body[SEARCHAFTERKEY] || document.body[TOTALCOUNTKEY]) {
document.body[SEARCHAFTERKEY] = undefined;
document.body[TOTALCOUNTKEY] = undefined;
}
log('ESConnector.prototype.replaceById', 'document', document);
self.db.index(
document
).then(
({ body }) => {
log('ESConnector.prototype.replaceById', 'response', body);
// eslint-disable-next-line no-underscore-dangle
log('ESConnector.prototype.replaceById', 'will invoke callback with id:', body._id);
// eslint-disable-next-line no-underscore-dangle
callback(null, body._id); // the connector framework expects the id as a return value
}
).catch((error) => {
log('ESConnector.prototype.replaceById', error.message);
callback(error);
});
}
module.exports.replaceById = replaceById;
|
strongloop-community/loopback-connector-elastic-search
|
lib/replaceById.js
|
JavaScript
|
mit
| 1,729 |
'use strict';
var ganttCtrl = function(showGantt, ganttService, $modal, $state) {
var gantt = this;
gantt.modalAddGanttTask = function () {
var modalInstance = $modal.open({
templateUrl: 'app/modules/gantt/views/modalAddGanttTask.html',
controller: 'modalAddGanttTaskCtrl',
controllerAs: 'modal',
backdrop: 'static',
resolve: {
data: function() {
return gantt.data;
}
}
});
};
gantt.modalAddGanttGroup = function () {
var modalInstance = $modal.open({
templateUrl: 'app/modules/gantt/views/modalAddGanttGroup.html',
controller: 'modalAddGanttGroupCtrl',
controllerAs: 'modal',
backdrop: 'static',
resolve: {
data: function() {
return gantt.data;
}
}
});
};
/* gantt.data2 = [
{name: 'Wall', savedColor: '#2ecc71', children: ['Prepare the mixture', 'Laying bricks']},
{name: 'Prepare the mixture', worker: 'Akio', tasks: [
{name: '', color: '#2ecc71', from: String(moment("2015-9-17 8:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-9-19 7:00", "YYYY-MM-DD HH:mm")), progress: 5}
]},
{name: 'Laying bricks', worker: 'Makoto', tasks: [
{name: '', color: '#2ecc71', from: String(moment("2015-9-19 8:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-9-22 7:00", "YYYY-MM-DD HH:mm")), progress: 70}
]},
{name: 'Spouts', savedColor: '#3498db', children: ['Gas', 'Water']},
{name: 'Gas', worker: 'Jin', tasks: [
{name: '', color: '#3498db', from: String(moment("2015-9-22 8:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-9-25 15:00", "YYYY-MM-DD HH:mm")), progress: 25}
]},
{name: 'Water', worker: 'Itsuki', tasks: [
{name: '', color: '#3498db', from: String(moment("2015-9-25 16:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-10-1 15:00", "YYYY-MM-DD HH:mm")), progress: 10}
]},
{name: 'Painting', savedColor: '#e74c3c', children: ['Sand', 'Buy paint', 'Painting']},
{name: 'Sand', worker: 'Akio', tasks: [
{name: '', color: '#e74c3c', from: String(moment("2015-10-1 16:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-10-5 7:00", "YYYY-MM-DD HH:mm")), progress: 25}
]},
{name: 'Buy paint', worker: 'Shizen', tasks: [
{name: '', color: '#e74c3c', from: String(moment("2015-10-5 8:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-10-7 15:00", "YYYY-MM-DD HH:mm")), progress: 10}
]},
{name: 'Painting', worker: 'Toru', tasks: [
{name: '', color: '#e74c3c', from: String(moment("2015-10-7 16:00", "YYYY-MM-DD HH:mm")), to: String(moment("2015-10-14 15:00", "YYYY-MM-DD HH:mm")), progress: 10}
]},
];*/
gantt.data = showGantt;
gantt.data.forEach(function(data){
data.id = data.$id;
})
console.log(gantt.data)
gantt.options = {
// gantt
width: 30,
headers: ['month', 'week', 'day'], // 'second', 'minute', 'hour', 'day','week', 'month', 'quarter', 'year'
fromDate: null, // new Date(2015, 9, 25, 16, 0, 0)
toDate: null, // new Date(2015, 9, 25, 16, 0, 0)
currentDate: 'column', // 'none', 'line', 'column'
currentDateValue: new Date(), // new Date(2015, 9, 25, 16, 0, 0)
columnMagnet: '1 day', // 'column', '1 second', '1 minute', '5 minutes', '15 minutes', '1 hour', '1 day', '5 days'
labelsEnabled: {
"value": true, // true, false
"true": "Showing side",
"false": "Hiding side",
},
allowSideResizing: false, // true, false
editGraph: {
"value": false, // true, false
"true": "Can edit graph",
"false": "Can't edit graph"
},
// gantt-table
columns: ['model.worker', 'from', 'to' ],
columnsHeaders: {
// 'model.name' : 'Name',
'model.worker': 'Worker',
'from': 'From',
'to': 'To'
},
columnsClasses: {
//'model.name' : 'gantt-column-name',
'from': 'gantt-column-from',
'to': 'gantt-column-to',
'model.worker': 'gantt-column-worker'
},
columnsFormatters: {
'from': function(from) {
return from !== undefined ? from.format('ll') : undefined; // 'lll'
},
'to': function(to) {
return to !== undefined ? to.format('ll') : undefined; // 'lll'
},
},
columnsContents: {
'model.worker': '{{getValue()}}'
},
columnsHeaderContents: {
//'model.name': '<i class="fa fa-align-justify"></i> {{getHeader()}}',
'from': '<i class="fa fa-calendar"></i> {{getHeader()}}',
'to': '<i class="fa fa-calendar"></i> {{getHeader()}}',
'model.worker': '<i class="fa fa-user"></i> {{getHeader()}}'
},
};
gantt.maxWidth = 100;
gantt.minWidth = 10;
gantt.createGanttData = function() {
gantt.data2.forEach(function(data){
ganttService.createGantt(data).then(function(ganttUpdate){
console.log("DATA TO SAVE: ", ganttUpdate);
})
})
}
//gantt.createGanttData(gantt.data2)
gantt.saveGanttData = function(ganttData) {
ganttData.forEach(function(data){
if(data.tasks){
data.tasks.forEach(function(task){
/*task.to =
task.from = */
})
}
})
ganttService.saveGanttData(ganttData).then(function(ganttUpdate){
})
}
function init() {
console.log("gantt controller");
};
//INITIALIZING
init()
};
angular
.module('ganttModule', [
'gantt',
'gantt.movable',
'gantt.drawtask',
'gantt.tooltips',
'gantt.bounds',
'gantt.progress',
'gantt.table',
'gantt.tree',
'gantt.groups',
'gantt.resizeSensor',
'gantt.sortable',
'rzModule',
'mp.colorPicker',
])
.controller('ganttCtrl', ganttCtrl)
|
Epotignano/japan-demo-grunt
|
client/app/modules/gantt/controller.js
|
JavaScript
|
mit
| 6,435 |
/**
* @file index
* @author ienix(enix@foxmail.com)
*
* @since 2017/9/8
*/
/* global fetch */
/* global describe */
/* global require */
/* global it */
let assert = require('assert');
let should = require('should');
let iApify = require('../dist/index');
let {apify, request} = iApify;
let apiMap = {getData: '/get/data?_version=1'};
let api = apify(request.post, apiMap);
const NOOP = function () {};
const OPTION = {
handler: {
payload: function() {
return new Promise(NOOP, NOOP);
}
}
};
// 单测中不需要使用this,所以不需要使用箭头函数
describe('iApify', function () {
describe('1. iApify api', function () {
it('1.1 iApify 是 Object 类型!', function () {
iApify.should.be.a.Object();
});
it('1.2 iApify 包含 `request` and `apify` 方法!', function () {
iApify.should.have.property('request');
iApify.should.have.property('apify');
});
});
describe('2. request', function () {
describe('#request api', function () {
it('2.1 request 包含 `post`, `get` 方法!', function () {
request.should.have.property('post');
request.should.have.property('get');
});
it('2.2 request 的`post` and `get`方法是`Function` 类型!', function () {
request.get.should.be.a.Function();
request.get.should.be.a.Function();
});
});
});
describe('3. apify', function () {
describe('#apify api', function () {
it('3.1 apify 会是 uri|url 列表函数化', function () {
api.getData.should.be.a.Function();
});
it('3.2 api实例的`getUrl`可以获取原始url', function () {
api.getData.getUrl().should.be.equal(apiMap.getData);
});
});
});
describe('4. api', function () {
describe('#api', function () {
it('4.1 api 的实例是promise实例', function () {
api.getData({}, OPTION)
.then(NOOP, NOOP)
.catch().should.be.a.Promise();
});
});
describe('#api', function () {
it('4.2 api hook 可以正常执行,并且能够覆盖默认hook!', function () {
let beforeRequest = option => {
option['x-silent'].should.be.equal(false);
option.hook.beforeRequest.toString().should.be.equal(beforeRequest.toString());
};
api.getData(null, {
hook: {
beforeRequest
}
})
.then(NOOP, NOOP);
});
it('4.3 api payload handler可以正常执行!', function () {
let data = {a: 1};
let payload = payload => {
payload.should.be.equal(data);
};
api.getData(data, {
handler: {
payload
}
})
.then(NOOP, NOOP);
});
});
});
});
|
Neverland/apify
|
test/spec.js
|
JavaScript
|
mit
| 3,238 |
var SimpleGit = require("simple-git");
var simpleGits = [];
var fs = require("fs");
var path = require("path");
var defaultModules = require(__dirname + "/../defaultmodules.js");
var NodeHelper = require("node_helper");
module.exports = NodeHelper.create({
config: {},
updateTimer: null,
start: function () {
},
configureModules: function(modules) {
for (moduleName in modules) {
if (defaultModules.indexOf(moduleName) < 0) {
// Default modules are included in the main MagicMirror repo
var moduleFolder = path.normalize(__dirname + "/../../" + moduleName);
var stat;
try {
stat = fs.statSync(path.join(moduleFolder, '.git'));
} catch(err) {
// Error when directory .git doesn't exist
// This module is not managed with git, skip
continue;
}
simpleGits.push({"module": moduleName, "git": SimpleGit(moduleFolder)});
}
}
// Push MagicMirror itself last, biggest chance it'll show up last in UI and isn't overwritten
simpleGits.push({"module": "default", "git": SimpleGit(path.normalize(__dirname + "/../../../"))});
},
socketNotificationReceived: function (notification, payload) {
if (notification === "CONFIG") {
this.config = payload;
} else if(notification === "MODULES") {
this.configureModules(payload);
this.preformFetch();
}
},
preformFetch() {
var self = this;
simpleGits.forEach(function(sg) {
sg.git.fetch().status(function(err, data) {
data.module = sg.module;
if (!err) {
self.sendSocketNotification("STATUS", data);
}
});
});
this.scheduleNextFetch(this.config.updateInterval);
},
scheduleNextFetch: function(delay) {
if (delay < 60 * 1000) {
delay = 60 * 1000
}
var self = this;
clearTimeout(this.updateTimer);
this.updateTimer = setTimeout(function() {
self.preformFetch();
}, delay);
}
});
|
aschulz90/MagicMirror
|
modules/default/updatenotification/node_helper.js
|
JavaScript
|
mit
| 1,859 |
"use strict";
let datafire = require('datafire');
let openapi = require('./openapi.json');
module.exports = datafire.Integration.fromOpenAPI(openapi, "azure_sql_serveroperations");
|
DataFire/Integrations
|
integrations/generated/azure_sql_serveroperations/index.js
|
JavaScript
|
mit
| 180 |
/**
* Text.js
*
* @description :: TODO: You might write a short summary of how this model works and what it represents here.
* @docs :: http://sailsjs.org/#!documentation/models
*/
module.exports = {
attributes: {
title: {
type: 'string'
},
content: {
type: 'string'
}
}
};
|
AxelPAL/lang-comparisons
|
frameworks/sailsjs/api/models/Text.js
|
JavaScript
|
mit
| 316 |
/*
*Author:fanxin
*Describtion:登录页面相关的js
*
*/
$(function(){
$(".third_part a.wechat").hover(function() {
$(".dl-weixin-message").show();
}, function() {
$(".dl-weixin-message").hide();
});
});
|
fx35792/jryhd_new_version
|
js/login/login.js
|
JavaScript
|
mit
| 213 |
import { browserHistory } from 'react-router'
import AuthService from '../utils/AuthService'
import { jobHelpers } from '../utils/helpers'
export const LOGIN_REQUEST = 'LOGIN_REQUEST'
export const LOGIN_SUCCESS = 'LOGIN_SUCCESS'
export const LOGIN_ERROR = 'LOGIN_ERROR'
export const LOGOUT_SUCCESS = 'LOGOUT_SUCCESS'
const authService = new AuthService(process.env.AUTH0_CLIENT_ID, process.env.AUTH0_DOMAIN)
// Listen to authenticated event from AuthService and get the profile of the user
// Done on every page startup
export function checkLogin() {
return (dispatch) => {
// Add callback for lock's `authenticated` event
authService.lock.on('authenticated', (authResult) => {
authService.lock.getProfile(authResult.idToken, (error, profile) => {
if (error)
return dispatch(loginError(error))
AuthService.setToken(authResult.idToken) // static method
AuthService.setProfile(profile) // static method
console.log(profile)
jobHelpers.getJobs(profile.email).then(function(response) {
return dispatch(loginSuccess(profile, response.data.Jobs))
}.bind(this));
})
})
// Add callback for lock's `authorization_error` event
authService.lock.on('authorization_error', (error) => dispatch(loginError(error)))
}
}
export function loginRequest() {
authService.login()
return {
type: LOGIN_REQUEST
}
}
export function loginSuccess(profile, savedJobs) {
browserHistory.push('/dashboard')
return {
type: LOGIN_SUCCESS,
profile,
savedJobs
}
}
export function loginError(error) {
return {
type: LOGIN_ERROR,
error
}
}
export function logoutSuccess() {
authService.logout()
browserHistory.push('/')
return {
type: LOGOUT_SUCCESS
}
}
|
josedigital/koala-app
|
src/actions/auth.js
|
JavaScript
|
mit
| 1,790 |
// LICENSE : MIT
"use strict";
function AppPage(browser) {
this.browser = browser;
this.browser.navigateTo('/');
}
AppPage.prototype.getNewVersionAt = function (index) {
return this.browser.getElements('input[name="new_version"]')[index];
};
AppPage.prototype.selectNewVersionAt = function (index) {
var input = this.getNewVersionAt(index);
input.click();
return input;
};
AppPage.prototype.getOldVersionAt = function (index) {
return this.browser.getElements('input[name="old_version"]')[index];
};
AppPage.prototype.selectOldVersionAt = function (index) {
var input = this.getOldVersionAt(index);
input.click();
return input;
};
module.exports = AppPage;
|
coding-kata/beautiful-code-vs-mr-oldtype
|
test/page-objects/app-page.js
|
JavaScript
|
mit
| 696 |
/**
* 坐标轴抽象类
* @id Legend
* @author yaofei <oiue@163.com>
* License: http://vcharts.cn/LICENSE
*/
var Legend = inherits(function (chart) {
Group.call(this);
this.chart = chart;
this.pool = new ElementPool(this);
}, Group);
extend(Legend.prototype, {
refresh: function () {
var chartConfig = this.chart._chartConfig,
colors = chartConfig.colors,
config = this.config,
legendArr = this.chart._chartData.legendArr;
var currentX = 0;
var currentY = 0;
this.pool.begin(IconText);
for (var i = 0; i < legendArr.length; i++)
{
var iconText = this.pool.next(),
color = colors[i % colors.length],
legend = legendArr[i];
iconText.text = legend.name;
iconText.type = legend.type;
iconText.config = {
fillColor : color,
fillAlpha : config.fillAlpha,
lineThickness : config.lineThickness,
lineColor : config.lineColor || ColorUtil.adjustBrightness(color, -50),
lineAlpha : config.lineAlpha
};
//iconText.index =
iconText.update();
var rect = iconText.getRect();
// console.log(rect.width, "=Legend=", rect.height);
if (currentX + rect.width > this.chart.stageWidth) {
currentX = 0;
currentY += rect.height + 5;
iconText.x = Math.round(currentX);
iconText.y = Math.round(currentY);
}
else {
iconText.x = Math.round(currentX);
iconText.y = Math.round(currentY);
currentX += rect.width + config.margin;
}
iconText.update();
}
this.pool.end();
}
});
|
iefoay/vcharts
|
source/src/chart/view/legend/Legend.js
|
JavaScript
|
mit
| 1,940 |
/*!
* UI development toolkit for HTML5 (OpenUI5)
* (c) Copyright 2009-2015 SAP SE or an SAP affiliate company.
* Licensed under the Apache License, Version 2.0 - see LICENSE.txt.
*/
sap.ui.define(['sap/ui/model/odata/type/DateTimeBase'],
function(DateTimeBase) {
"use strict";
/**
* Adjusts the constraints for DateTimeBase.
*
* @param {sap.ui.model.odata.type.DateTimeOffset} oType
* the type
* @param {object} [oConstraints]
* constraints, see {@link #constructor}
* @returns {object}
* the constraints adjusted for DateTimeBase
*/
function adjustConstraints(oType, oConstraints) {
return {
nullable: oConstraints && oConstraints.nullable
};
}
/**
* Constructor for a primitive type <code>Edm.DateTimeOffset</code>.
*
* @class This class represents the OData primitive type <a
* href="http://www.odata.org/documentation/odata-version-2-0/overview#AbstractTypeSystem">
* <code>Edm.DateTimeOffset</code></a>.
*
* In {@link sap.ui.model.odata.v2.ODataModel ODataModel} this type is represented as a
* <code>Date</code> in local time.
*
* @extends sap.ui.model.odata.type.DateTimeBase
*
* @author SAP SE
* @version 1.32.10
*
* @alias sap.ui.model.odata.type.DateTimeOffset
* @param {object} [oFormatOptions]
* format options as defined in {@link sap.ui.core.format.DateFormat}
* @param {object} [oConstraints]
* constraints; {@link sap.ui.model.odata.type.DateTimeBase#validateValue validateValue}
* throws an error if any constraint is violated
* @param {boolean|string} [oConstraints.nullable=true]
* if <code>true</code>, the value <code>null</code> is accepted
* @public
* @since 1.27.0
*/
var DateTimeOffset = DateTimeBase.extend("sap.ui.model.odata.type.DateTimeOffset", {
constructor : function (oFormatOptions, oConstraints) {
DateTimeBase.call(this, oFormatOptions, adjustConstraints(this, oConstraints));
}
}
);
/**
* Returns the type's name.
*
* @returns {string}
* the type's name
* @public
*/
DateTimeOffset.prototype.getName = function () {
return "sap.ui.model.odata.type.DateTimeOffset";
};
return DateTimeOffset;
});
|
marinho/german-articles
|
webapp/resources/sap/ui/model/odata/type/DateTimeOffset-dbg.js
|
JavaScript
|
mit
| 2,175 |
// Storage.js (c) 2012 Loren West and other contributors
// May be freely distributed under the MIT license.
// For further details and documentation:
// http://lorenwest.github.com/monitor
(function(root){
// Module loading - this runs server-side only
var Monitor = root.Monitor || require('../Monitor'),
_ = Monitor._, Probe = Monitor.Probe;
/**
* Backbone model synchronization with server-side storage.
*
* This class contains client-side helpers for connecting backbone models
* with server storage using the backbone
* <a href="http://documentcloud.github.com/backbone/#Sync">```sync```</a>
* mechanism.
*
* var Storage = Monitor.Storage;
* var Book = Backbone.Model.extend({
* ...
* sync: Storage.synchronize('Book'),
* ...
* });
*
* This connects the backbone model
* <a href="http://documentcloud.github.com/backbone/#Model-fetch">```fetch```</a>,
* <a href="http://documentcloud.github.com/backbone/#Model-save">```save```</a>, and
* <a href="http://documentcloud.github.com/backbone/#Model-destroy">```destroy```</a>
* methods to backend storage via monitor based socket.io.
*
* The Storage class also offers *live data synchronization*, updating the data
* model as changes are detected on the server. See the
* <a href="#method_synchronize">```synchronize```</a> method for more information.
*
* Server-side storage probes such as <a href="FileStorage.html">FileStorage</a>
* extend their implementation from this base class.
*
* @class Storage
* @extends Probe
* @constructor
*/
var Storage = Monitor.Storage = Probe.extend({
defaults: {path:'', tail:false, text:''},
initialize: function(){
var t = this;
Probe.prototype.initialize.apply(t, arguments);
},
release: function() {
var t = this;
Probe.prototype.release.apply(t, arguments);
}
});
/**
* Synchronize a Backbone data model with server storage
*
* Backbone sync functions allow data models to synchronize with the server using the
* <a href="http://documentcloud.github.com/backbone/#Model-fetch">fetch</a>,
* <a href="http://documentcloud.github.com/backbone/#Model-save">save</a>, and
* <a href="http://documentcloud.github.com/backbone/#Model-destroy">destroy</a>
* methods.
*
* This method returns a sync function that performs data synchronization over
* socket.io to a <a href="Storage.html">Monitor Storage</a> probe.
* This method can be set into Backbone models to replace the default REST
* implementation.
*
* var Storage = Monitor.Storage;
* var Book = Backbone.Model.extend({
* ...
* sync: Storage.synchronize('Book'),
* ...
* });
*
* The sync function can also be set onto a specific instance of a model.
*
* var myBook = new Book({id:'44329'});
* myBook.sync = Storage.synchronize('Book');
*
* In addition to providing the standard fetch, save, and destroy functionality,
* synchronization offers *live data synchronization*, updating the data model
* as changes are detected on the server.
*
* To enable live synchronization with the server, call ```sync.on()```
* on the instance.
*
* // Turn on live synchronization
* myBook.sync.on();
*
* This refreshes the ```myBook``` instance with the contents of the Book class
* id ```44329```, persists any local changes to ```myBook```, and keeps ```myBook```
* up to date with changes detected on the server.
*
* If the id element is not set or if the id doesn't exist on the server, it
* will create a new object on the server, generating an id if necessary.
*
* Live data monitoring consumes resources on both the client and server. To
* free those resources, make sure to call the ```sync.off()``` method.
* Otherwise, resources are released when the connection is terminated.
*
* // Turn off live synchronization
* myBook.sync.off();
*
* See the <a href="http://documentcloud.github.com/backbone/#Sync">Backbone documentation</a>
* for more information about the Backbone.sync functionality.
*
* @static
* @method synchronize
* @param [className] {String} The data class name, passed to the storage probe for namespacing.
* If not provided, it must be supplied from a className element (or function) on the model.
* @param [probeClass] {String} Storage probe class name. Defaults to the probe set in the <a href="Storage.html#property_Config">Config.defaultProbe</a> property.
* @param [probeParams] {Object} Storage probe initialization parameters. Defaults to the parameters set in the <a href="Storage.html#property_Config">Config.defaultProbeParams</a> property.
* @return {Function} The sync function to set into a class or instance.
*/
Storage.synchronize = function(className, probeClass, probeParams) {
var sync = function(method, model, options) {
};
// Live synchronization
sync.on = function(){};
sync.off = function(){};
return sync;
};
/**
* Static Configurations
*
* These can be set onto the Monitor.Storage class after it's loaded.
*
* Example:
*
* var Storage = Monitor.Storage;
* Storage.Config.defaultProbe = 'DbStorage';
* Storage.Config.defaultProbeParams = {host:'db.mydomain.com', port:5984};
*
* @static
* @property Config
* @type <Object>
* <ul>
* <li><code>defaultProbe (String)</code> Name of the storage probe to use for the <a href="Storage.html#method_synchronize">```Storage.synchronize```</a> method</li>
* <li><code>defaultProbeParams (String)</code> Initialization parameters for the storage probe used for the <a href="Storage.html#method_synchronize">```Storage.synchronize```</a> method</li>
* </ul>
*/
var defaultConfig = {
defaultProbe: 'FileStorage',
defaultProbeParams: {}
};
// Expose default configurations to the config package
Storage.Config = _.extend({}, defaultConfig);
}(this));
|
chiehwen/monitor
|
lib/probes/Storage.js
|
JavaScript
|
mit
| 6,034 |
import Ember from 'ember';
import { module, test } from 'qunit';
import startApp from '../../tests/helpers/start-app';
module('Acceptance | spark line', {
beforeEach: function() {
this.application = startApp();
},
afterEach: function() {
Ember.run(this.application, 'destroy');
}
});
test('visiting /spark-line', function(assert) {
visit('/spark-line');
andThen(function() {
assert.equal(currentURL(), '/spark-line');
});
});
|
conormag/ember-jquery-sparkline
|
tests/acceptance/spark-line-test.js
|
JavaScript
|
mit
| 456 |
const imageLinks = require('./imageLinks');
module.exports = (overlays, descriptions) => {
// Make batch entries from captured overlays and descriptions.
const entries = [];
overlays.forEach((ol) => {
entries.push({
markdown: ol.name + ': ' + ol.description,
filepath: ol.href,
overlay: {
viewBoundScale: ol.viewBoundScale,
latLonBox: ol.latLonBox,
},
});
});
descriptions.forEach((desc) => {
const imgUrls = imageLinks.find(desc);
const textContent = imageLinks.strip(desc);
let i;
if (imgUrls.length === 0) {
// No images, single entry
entries.push({
markdown: textContent,
filepath: null,
});
} else {
// First image with the text.
entries.push({
markdown: textContent,
filepath: imgUrls[0],
});
// Next images without description
for (i = 1; i < imgUrls.length; i += 1) {
entries.push({
markdown: '',
filepath: imgUrls[i],
});
}
}
});
return entries;
};
|
axelpale/tresdb
|
server/api/locations/importer/parsekml/makeEntries.js
|
JavaScript
|
mit
| 1,072 |
CKEDITOR.plugins.setLang( 'wblink', 'ru',
{
wblink :
{
btn : 'Вставить/Редактировать внутреннюю ссылку',
title : 'Вставить внутреннюю ссылку',
name : 'Вставка внутренней ссылки',
page : 'WB Page',
cssclass : 'CSS-Class',
usepagetitle : 'use pagetitle',
advrel : 'Advisory Relation',
notset : 'Not set'
}
})
|
phpManufaktur/kitIdea
|
include/ckeditor/ckeditor/plugins/wblink/lang/ru.js
|
JavaScript
|
mit
| 557 |
/**
* Talisman phonetics/french/phonex
* =================================
*
* Implementation of the French phonetic algorithm "Phonex".
*
* [Author]: Frédéric Brouard
*
* [Reference]:
* http://www-info.univ-lemans.fr/~carlier/recherche/soundex.html
* http://sqlpro.developpez.com/cours/soundex/
*/
import {translation, squeeze} from '../../helpers';
/**
* Translations.
*/
const ACCENTUATED = translation('ÀÂÄÃÉÈÊËÌÎÏÒÔÖÕÙÛÜÑ', 'AAAAYYYYIIIOOOOUUUN'),
SINGLE_LETTERS = translation('ADPJBVM', 'OTTGFFN');
/**
* Rules.
*/
const RULES = [
[/Y/g, 'I'],
[/([^PCS])H/g, '$1'],
[/PH/g, 'F'],
[/G(AI?[NM])/g, 'K$1'],
[/[AE]I[NM]([AEIOU])/g, 'YN$1'],
[/EAU/, 'O'],
[/OUA/, '2'],
[/[EA]I[NM]/g, '4'],
[/[EA]I/g, 'Y'],
[/E([RTZ])/g, 'Y$1'],
[/ESS/g, 'YS'],
[/[AOE]N([^AEIOU1234])/g, '1$1'],
[/[AE]M([^AEIOU1234])/g, '1$1'],
[/IN([^AEIOU1234])/g, '4$1'],
[/([AEIOUY1234])S([AEIOUY1234])/g, '$1Z$2'],
[/(?:OE|EU)/g, 'E'],
[/AU/g, 'O'],
[/O[IY]/g, '2'],
[/OU/g, '3'],
[/(?:SCH|CH|SH)/g, '5'],
[/S[CS]/g, 'S'],
[/C([EI])/, 'S$1'],
[/(?:GU|QU|Q|C)/g, 'K'],
[/G([AOY])/g, 'K$1']
];
// [/SC?([EIY])/g, 'S$1'] unified rule
/**
* Function taking a single word and computing its Phonex code.
*
* @param {string} word - The word to process.
* @return {string} - The Phonex code.
*
* @throws {Error} The function expects the word to be a string.
*/
export default function phonex(word) {
if (typeof word !== 'string')
throw Error('talisman/phonetics/french/phonex: the given word is not a string.');
word = word.toUpperCase();
// Replacing accentuated letters
let code = '';
for (let i = 0, l = word.length; i < l; i++) {
const letter = word.charAt(i);
code += ACCENTUATED[letter] || letter;
}
// Dropping shenanigans
code = code.replace(/[^A-Z]/g, '');
// Applying rules
for (let i = 0, l = RULES.length; i < l; i++)
code = code.replace(...RULES[i]);
// Translating single letters
const previousCode = code;
code = '';
for (let i = 0, l = previousCode.length; i < l; i++) {
const letter = previousCode.charAt(i);
code += SINGLE_LETTERS[letter] || letter;
}
// Dropping consecutive duplicates
code = squeeze(code);
// Dropping trailing T and X
code = code.replace(/[TX]$/, '');
return code;
}
|
Yomguithereal/talisman
|
src/phonetics/french/phonex.js
|
JavaScript
|
mit
| 2,354 |
import React from 'react';
import createSvgIcon from './utils/createSvgIcon';
export default createSvgIcon(
<path d="M20 6h-8l-2-2H4c-1.11 0-1.99.89-1.99 2L2 18c0 1.11.89 2 2 2h16c1.11 0 2-.89 2-2V8c0-1.11-.89-2-2-2zm-1 8h-3v3h-2v-3h-3v-2h3V9h2v3h3v2z" />
, 'CreateNewFolder');
|
kybarg/material-ui
|
packages/material-ui-icons/src/CreateNewFolder.js
|
JavaScript
|
mit
| 281 |
export { default } from 'ember-moltin-adapter/models/collection';
|
ynnoj/ember-moltin-adapter
|
app/models/collection.js
|
JavaScript
|
mit
| 66 |
/* ***** BEGIN LICENSE BLOCK *****
* Distributed under the BSD license:
*
* Copyright (c) 2010, Ajax.org B.V.
* 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 Ajax.org B.V. 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 AJAX.ORG B.V. 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.
*
* ***** END LICENSE BLOCK ***** */
define(function(require, exports, module) {
exports.isDark = true;
exports.cssClass = "ace--warp-o-s";
exports.cssText = require("../requirejs/text!./WarpOS.css");
var dom = require("../lib/dom");
dom.importCssString(exports.cssText, exports.cssClass);
});
|
Colorsublime/colorsublime.github.io
|
ace/lib/ace/theme/WarpOS.js
|
JavaScript
|
mit
| 1,936 |
/**
* Created by meathill on 16/7/14.
*/
'use strict';
(function (ns, _) {
/**
* @class
* @type {any}
*/
ns.DIY = ns.Model.extend({
urlRoot: tp.API + 'diy/',
save: function (key, value, options) {
if (this.has('renew')) {
this.unset('id', {silent: true});
}
ns.Model.prototype.save.call(this, key, value, options);
},
toJSON: function (options) {
var json = ns.Model.prototype.toJSON.call(this);
if (options) {
json = _.omit(json, 'plans', 'renew', 'edit', 'previous');
}
return json;
}
});
}(Nervenet.createNameSpace('tp.model'), _));
|
Dianjoy/tiger-prawn
|
js/model/DIY.js
|
JavaScript
|
mit
| 630 |
// Load the Angular Material CSS associated with ngMaterial
// then load the main.css to provide overrides, etc.
import 'angular-material/angular-material.css!'
import 'assets/app.css!'
// Load Angular libraries
import angular from 'angular'
import material from 'angular-material'
// Load custom application modules
import main from 'app/main'
// Load loggers for injection and pre-angular debugging
import { LogDecorator, ExternalLogger } from 'utils/LogDecorator';
/**
* Manually bootstrap the application when AngularJS and
* the application classes have been loaded.
*/
angular
.element( document )
.ready( function() {
let appName = 'kubernetes-web-terminal';
let $log = new ExternalLogger();
$log = $log.getInstance( "BOOTSTRAP" );
$log.debug( "Initializing '{0}'", [ appName ] );
let body = document.getElementsByTagName("body")[0];
let app = angular
.module( appName, [ material, main ] )
.config( ['$provide', LogDecorator] );
angular.bootstrap( body, [ app.name ], { strictDi: false })
});
|
beyondblog/k8s-web-terminal
|
public/frontend/boot.js
|
JavaScript
|
mit
| 1,073 |
(function($) {
window.GovRight = window.GovRight || {};
window.GovRight.$models = {};
window.GovRight.api = function(modelName) {
var modelSlug = modelName.toLowerCase();
if(modelSlug[modelSlug.length - 1] !== 's') {
modelSlug += 's';
}
if(!window.GovRight.$models[modelSlug]) {
window.GovRight.$models[modelSlug] = model(modelName);
}
return window.GovRight.$models[modelSlug];
};
window.GovRight.getLocale = function(instance, languageCode) {
var locales = instance.locales ? instance.locales : instance;
if(languageCode && locales[languageCode]) {
return locales[languageCode];
}
if(window.icl_lang && locales[window.icl_lang]) {
return locales[window.icl_lang];
}
return locales[Object.keys(locales).shift()];
};
window.GovRight.getLocaleProp = function(instance, prop, languageCode) {
var locale = window.GovRight.getLocale(instance, languageCode);
return locale[prop] || '';
};
function model(modelName) {
return {
get: get.bind(null, modelName)
}
}
function get(modelName, method, query) {
if(!query && typeof method === 'object') {
query = method;
method = '';
}
var apiUrl = (window.GovRight && window.GovRight.corpusApiUrl) || 'http://corpus.govright.org/api';
var methodUrl = method ? '/' + method : '';
var queryString = serialize(query || {});
queryString = queryString ? '?' + queryString : '';
return $.get(apiUrl + '/' + modelName + methodUrl + queryString);
}
function serialize(params, prefix) {
var str = [];
for(var p in params) {
if (params.hasOwnProperty(p)) {
var k = prefix ? prefix + "[" + encodeURIComponent(p) + "]" : encodeURIComponent(p);
var v = params[p];
str.push(typeof v == "object" ? serialize(v, k) : k + "=" + encodeURIComponent(v));
}
}
return str.join("&");
}
}(jQuery));
|
GovRight/wp-corpus-utils
|
assets/corpus-api.js
|
JavaScript
|
mit
| 2,145 |
import React, { Component } from 'react'
import s from './Search.css'
class Search extends Component{
render(){
return(
<div className={`${s.wrapper}`}>
<div className={`${s.expanded}`}>
<input type='text' placeholder="Procura e tecle Enter"
onChange={this.props.changeDescription}
value={this.props.busca} />
<div className={`${s.searchIcon}`}>
<i className="material-icons">search</i>
</div>
</div>
</div>
)
}
}
export default Search
|
augusto-santos/webapp
|
components/Search/Search.js
|
JavaScript
|
mit
| 503 |
// Copyright 2014, Yahoo! Inc.
// Copyrights licensed under the Mit License. See the accompanying LICENSE file for terms.
var Base = require('preceptor-core').Base;
var utils = require('preceptor-core').utils;
var logger = require('log4js').getLogger(__filename);
var _ = require('underscore');
var Coverage = require('./coverage.js');
var defaultConfig = require('./defaults/defaultConfig');
/**
* @class Config
* @extends Base
*
* @property {object} _options
*/
var Config = Base.extend(
/**
* Config constructor
*
* @param {object} options
* @constructor
*/
function (options) {
this.__super();
this._options = utils.deepExtend({}, [defaultConfig, options || {}]);
logger.debug('Construct', this._options);
this.initialize();
},
{
/**
* Initializes the instance
*
* @method initialize
*/
initialize: function () {
// Make sure the configuration has the correct structure
this.validate();
// Augment options with outside data
this.augment();
},
/**
* Gets the options
*
* @method getOptions
* @return {object}
*/
getOptions: function () {
return this._options;
},
/**
* Validates the data given
*
* @method validate
*/
validate: function () {
if (!_.isObject(this.getOptions())) {
throw new Error('The options parameter is not an object.');
}
if (!_.isBoolean(this.isDebug())) {
throw new Error('The "debug" option is not a boolean.');
}
if (!_.isBoolean(this.isVerbose())) {
throw new Error('The "verbose" option is not a boolean.');
}
if (!_.isBoolean(this.shouldIgnoreErrors())) {
throw new Error('The "ignoreErrors" option is not a boolean.');
}
if (!_.isObject(this.getReportManager())) {
throw new Error('The "reportManager" parameter is not an object.');
}
if (!_.isArray(this.getReporter())) {
throw new Error('The "reporter" parameter is not an array.');
}
if (!_.isArray(this.getListener())) {
throw new Error('The "listener" parameter is not an array.');
}
if (!_.isArray(this.getPlugins())) {
throw new Error('The "plugins" parameter is not an array.');
}
},
/**
* Augments the data with default values
*
* @method augment
*/
augment: function () {
// Nothing yet
},
/**
* Is application in debug mode?
*
* Note: In debug mode, the clients are run in the same process.
*
* @method isDebug
* @return {boolean}
*/
isDebug: function () {
return this.getOptions().debug;
},
/**
* Is application in verbose mode?
*
* @method isVerbose
* @return {boolean}
*/
isVerbose: function () {
return this.getOptions().verbose;
},
/**
* Should errors of tests be ignored?
*
* @method shouldIgnoreErrors
* @return {boolean}
*/
shouldIgnoreErrors: function () {
return this.getOptions().ignoreErrors;
},
/**
* Gets the report-manager configuration
*
* @method getReportManager
* @return {object}
*/
getReportManager: function () {
return this.getOptions().reportManager;
},
/**
* Gets the reporter configuration
*
* @method getReporter
* @return {object[]}
*/
getReporter: function () {
return this.getReportManager().reporter;
},
/**
* Gets the listener configuration
*
* @method getListener
* @return {object[]}
*/
getListener: function () {
return this.getReportManager().listener;
},
/**
* Gets the coverage options
*
* @method getCoverage
* @return {Coverage}
*/
getCoverage: function () {
return new Coverage(this.getOptions().coverage);
},
/**
* Gets the plugins configuration
*
* @method getPlugins
* @return {string[]}
*/
getPlugins: function () {
return this.getOptions().plugins;
},
/**
* Exports data to an object
*
* @method toObject
* @return {object}
*/
toObject: function () {
return utils.deepExtend({}, [this.getOptions(), {
"coverage": this.getCoverage().toObject()
}]);
}
},
{
/**
* @property TYPE
* @type {string}
* @static
*/
TYPE: 'Config'
});
module.exports = Config;
|
yahoo/preceptor
|
lib/config.js
|
JavaScript
|
mit
| 4,164 |
// Regular expression that matches all symbols in the Khmer Symbols block as per Unicode v7.0.0:
/[\u19E0-\u19FF]/;
|
mathiasbynens/unicode-data
|
7.0.0/blocks/Khmer-Symbols-regex.js
|
JavaScript
|
mit
| 115 |
if (Meteor.isClient) {
Template.activityConfiguration.helpers({
activity: function() {
var activity = Activity.findOne({_id: FlowRouter.getParam('id')});
console.log("found post", activity);
return activity;
}
})
Template.activitySlider.rendered = function() {
// Anything here will get executed right when the template
// is finished rendering.
$('#ambition-slider').slider();
$('#regularity-slider').slider();
$('#randomness-slider').slider();
};
if (Meteor.isClient) {
Template.activitySlider.events({
"submit form": function (event) {
event.preventDefault();
var activity = Activity.findOne({_id: FlowRouter.getParam('id')});
var amb = $('#ambition-slider').data('slider').getValue();
var reg = $('#regularity-slider').data('slider').getValue();
var rand = $('#randomness-slider').data('slider').getValue();
var activity_configuration = {
id: activity,
settings: {
amb: amb,
reg: reg,
rand: rand,
},
};
Meteor.call("updateActivityConfiguration", activity_configuration, function(error, result){
if(error){
return Errors.throw(error.reason);
}
});
console.log(activity_configuration);
FlowRouter.go('/activityconfiguration');
}
});
}
}
|
StormyMonkey/FaaS
|
client/template/views/activityConfiguration.js
|
JavaScript
|
mit
| 1,661 |
import React from 'react';
import PropTypes from 'prop-types';
/**
* a generic data getter able to decide when to get data
* taking into account the existence of the data and the current communication state
* @todo: extend this to handle conditional rendering based on multiple data sources -> parallel getting
*/
export default class DataGetter extends React.Component {
componentDidMount () {
// if the communication is is undefined, not "inProgress, success or failed" get data
// and do this just if you are a browser. ServerSideRendering is async -> optimize SSR by dispatching data before rendering
if (!this.props.state && !this.props.data) {
this.props.getter();
}
}
render () {
// if the data is already there, we can render the wrapped component
return this.props.data !== undefined && this.props.children || null;
}
}
DataGetter.propTypes = {
children: PropTypes.element.isRequired,
data: PropTypes.any,
getter: PropTypes.func.isRequired,
state: PropTypes.any,
};
|
VisitingLandmarks/visitingLandmarks
|
src/view/dataGetter.js
|
JavaScript
|
mit
| 1,076 |
var express = require('express');
var app = express();
if (process.env.NODE_ENV !== 'production') {
require('./lib/secrets');
}
var model = require('./models/codeWarsModel.js')
app.get('/codewarsJQ', function(req, res) {
// enable cross-origin resource sharing
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Headers", "X-Requested-With");
model.getMyData(function(err, response) {
// send out JSON just as you received it.
err ? res.send(err): res.send(response);
});
});
app.get('/outOf', function(req, res) {
// enable cross-origin resource sharing
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Headers", "X-Requested-With");
model.getOutOf(function(err, response) {
// send out JSON just as you received it.
err ? res.send(err): res.send(response);
});
});
app.use(function (err, req, res, next) {
console.log('error', err.stack);
res.status(500).send('Internal server error');
});
var port = process.env.PORT || 3000;
var server = app.listen(port, function () {
var host = server.address().address;
var port = server.address().port;
console.log('Proxy listening at http://%s:%d', host, port);
});
|
johnwquarles/CodewarsProxy
|
app.js
|
JavaScript
|
mit
| 1,226 |
"use strict";
/**
* Rhizome API -
*
* @file user.test.js
* @description
* @author Chris Bates-Keegan
*
*/
const Rhizome = require('../lib/rhizome');
const Config = require('./config');
Config.init();
/**
* In all tests that make use of promises, you need to use .catch(err => done(err) pattern.
* Otherwise the promise consumes the assertion failure and you get a timeout instead of useful info.
*/
// after(function(done) {
// Promise.all([
// Rhizome.User.removeAll(),
// Rhizome.Person.removeAll(),
// Rhizome.Token.removeAllUserTokens()
// ]).then(() => done());
// });
describe('@user-basics', function() {
before(function() {
});
after(function(done) {
Rhizome.User.removeAll()
.then(() => done()).catch(done);
});
describe('User Basics', function() {
let _users = [null, null];
let _userId = false;
it('should return no users', function(done) {
Rhizome.User
.getAll()
.then(function(users) {
users.length.should.equal(0);
done();
})
.catch(function(err) {
done(err);
});
});
it('should create a user (without creating an auth token)', function(done) {
let userAppAuth = {
app: 'google',
id: '12345678987654321',
name: 'Chris Bates-Keegan',
token: 'thisisatestthisisatestthisisatestthisisatestthisisatest',
email: 'test@test.com',
profileUrl: 'http://test.com/thisisatest',
profileImgUrl: 'http://test.com/thisisatest.png'
};
Rhizome.Auth
.findOrCreateUser(userAppAuth)
.then(function(user) {
user.should.not.equal(false);
user.person.name.should.equal('Chris Bates-Keegan');
user.person.forename.should.equal('Chris');
user.person.surname.should.equal('Bates-Keegan');
user.auth.length.should.equal(1);
user.auth[0].appId.should.equal('12345678987654321');
user.should.not.have.property('token');
_users[0] = user;
done();
})
.catch(function(err) {
done(err);
});
});
it('should return 1 user', function(done) {
Rhizome.User
.getAll()
.then(function(users) {
users.should.have.length(1);
_userId = users[0].id;
done();
})
.catch(function(err) {
done(err);
});
});
it('should find an existing user', function(done) {
let userAppAuth = {
app: 'google',
id: '12345678987654321',
name: 'Chris Bates-Keegan',
token: 'thisisatestthisisatestthisisatestthisisatestthisisatest',
email: 'test@test.com',
profileUrl: 'http://test.com/thisisatest',
profileImgUrl: 'http://test.com/thisisatest.png'
};
Rhizome.Auth
.findOrCreateUser(userAppAuth)
.then(function(user) {
user.rhizomeId.should.equal(_userId);
user.rhizomeAuthToken.should.equal(false);
user.person.name.should.equal('Chris Bates-Keegan');
user.person.forename.should.equal('Chris');
user.person.surname.should.equal('Bates-Keegan');
user.auth.length.should.equal(1);
user.auth[0].appId.should.equal('12345678987654321');
done();
})
.catch(function(err) {
done(err);
});
});
it('should create a user (with an auth token)', function(done) {
let userAppAuth = {
app: 'google',
id: '98765432109876543210',
name: 'Chris Bates-Keegan',
token: 'testisathistestisathistestisathistestisathistestisathis',
email: 'test@test.com',
profileUrl: 'http://test.com/thisisatest',
profileImgUrl: 'http://test.com/thisisatest.png'
};
let auth = {
authLevel: Rhizome.Token.AuthLevel.SUPER,
permissions: [{
route: "*",
permission: "*"
}],
domains: ['test.rhizome.com']
};
Rhizome.Auth
.findOrCreateUser(userAppAuth, auth)
.then(function(user) {
user.should.not.equal(false);
user.id.should.not.equal(_userId);
user.person.name.should.equal('Chris Bates-Keegan');
user.person.forename.should.equal('Chris');
user.person.surname.should.equal('Bates-Keegan');
user.auth.length.should.equal(1);
user.auth[0].appId.should.equal('98765432109876543210');
user.rhizomeAuthToken.should.not.equal(false);
_users[1] = user;
done();
})
.catch(function(err) {
done(err);
});
});
it('should remove a user', function(done) {
if (!_users[0]) {
return done(new Error("No User!"));
}
Rhizome.User
.remove(_users[0].rhizomeId)
.then(function(res) {
res.should.equal(true);
_users[0] = null;
done();
})
.catch(function(err) {
done(err);
});
});
it('should use a user token', function(done) {
if (!_users[1]) {
return done(new Error("No User!"));
}
Rhizome
.Person.getAll(_users[1].rhizomeAuthToken)
.then(function(people) {
people.should.have.length(1);
_users[0] = null;
done();
})
.catch(function(err) {
done(err);
});
});
});
});
// describe('@model', function() {
// var _person = null;
// before(function(done) {
// Rhizome.Person
// .save({
// name: 'Mr Chris G Bates-Keegan',
// email: 'test@email.com'
// })
// .then(function(person) {
// _person = person;
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// after(function(done) {
// Rhizome.Person
// .remove(_person.id)
// .then(function() {
// _person = null;
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// describe('Person Metadata', function() {
// it('should get default metadata', function(done) {
// if (!_person) {
// return done(new Error("No Person!"));
// }
// Rhizome.Person
// .loadMetadata(_person.id, 'TEST_DATA', false)
// .then(function(metadata) {
// metadata.should.equal(false);
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// it('should add metadata', function(done) {
// if (!_person) {
// return done(new Error("No Person!"));
// }
// Rhizome.Person
// .saveMetadata(_person.id, 'TEST_DATA', {foo: 'bar'})
// .then(function(metadata) {
// metadata.foo.should.equal('bar');
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// it('should get metadata', function(done) {
// if (!_person) {
// return done(new Error("No Person!"));
// }
// Rhizome.Person
// .loadMetadata(_person.id, 'TEST_DATA', false)
// .then(function(metadata) {
// metadata.should.not.equal(false);
// metadata.foo.should.equal('bar');
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// it('should delete metadata', function(done) {
// if (!_person) {
// return done(new Error("No Person!"));
// }
// Rhizome.Person
// .removeMetadata(_person.id, 'TEST_DATA')
// .then(function(result) {
// result.should.equal(true);
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// it('should get default metadata (post-deletion)', function(done) {
// if (!_person) {
// return done(new Error("No Person!"));
// }
// Rhizome.Person
// .loadMetadata(_person.id, 'TEST_DATA', false)
// .then(function(metadata) {
// metadata.should.equal(false);
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// it('should fail to delete metadata', function(done) {
// if (!_person) {
// return done(new Error("No Person!"));
// }
// Rhizome.Person
// .removeMetadata(_person.id, 'TEST_DATA')
// .then(function(metadata) {
// metadata.should.equal(false);
// done();
// })
// .catch(function(err) {
// done(err);
// });
// });
// });
// });
|
coders-for-labour/rhizome-api-js
|
test/user.test.js
|
JavaScript
|
mit
| 8,699 |
function toFileName (url) {
return url.replace(/^\//, '').replace(/[/ ]/g, '_') + '.json'
}
module.exports = toFileName
|
gw2efficiency/api-status
|
worker/src/toFileName.js
|
JavaScript
|
mit
| 123 |
$(function () {
$('#container').highcharts({
xAxis: {
categories: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec']
},
yAxis: {
min: -50,
startOnTick: false
},
series: [{
data: [29.9, 71.5, 106.4, 129.2, 144.0, 176.0, 135.6, 148.5, 216.4, 194.1, 95.6, 54.4]
}]
});
});
|
Oxyless/highcharts-export-image
|
lib/highcharts.com/samples/highcharts/yaxis/min-startontick-false/demo.js
|
JavaScript
|
mit
| 409 |
var hadApi = require('../hadapihelper.js'),
superagent = require('superagent'),
expect = require('chai').expect,
_ = require('lodash'),
utils = {};
utils.compareResponses = function (directResponseBody, hadApiHelperResponseBody) {
var directResponseObj, hadApiHelperResponseObj;
directResponseObj = (typeof directResponseBody === 'string')
? JSON.parse(directResponseBody)
: directResponseBody;
hadApiHelperResponseObj = (typeof hadApiHelperResponseBody === 'string')
? JSON.parse(hadApiHelperResponseBody)
: hadApiHelperResponseBody;
directResponseObj = _recursiveSort(directResponseObj);
hadApiHelperResponseObj = _recursiveSort(hadApiHelperResponseObj);
expect(directResponseObj).to.eql(hadApiHelperResponseObj, 'Responses are identical to raw query.');
};
utils.compareCalls = function (rawQuery, hadApiFunc, hadApiFuncArgs, done) {
hadApiFuncArgs = hadApiFuncArgs || [];
var delay = 250; //ms
if (!Array.isArray(hadApiFuncArgs)) {
hadApiFuncArgs = [hadApiFuncArgs];
}
function normalApiCall () {
superagent
.get(rawQuery)
.end(function (err, res) {
expect(err).to.be.null;
expect(res.status).to.eql(200);
var cb = function (error, responseData) {
expect(error).to.be.null;
utils.compareResponses(res.body, responseData);
done();
};
hadApiFuncArgs.push(cb);
var delayed = function () {
hadApiFunc.apply(hadApi, hadApiFuncArgs);
};
setTimeout(delayed, delay);
});
}
setTimeout(normalApiCall, delay);
};
module.exports = utils;
function _recursiveSort (item) {
if (!_.isArray(item) && !_.isObject(item)) {
return item;
} else if (_.isArray(item)) {
return _.map(item.sort(), function (val) {
return _recursiveSort(val);
});
} else {
var clone = item;
_.forIn(clone, function (val, key) {
clone[key] = _recursiveSort(val);
});
return clone;
}
}
|
SupplyFrame/HAD-API-Helper
|
test/utils.js
|
JavaScript
|
mit
| 2,220 |
var momentTZ = {
"zones": {
"Africa/Abidjan": [
"-0:16:8 - LMT 1912 -0:16:8",
"0 - GMT"
],
"Africa/Accra": [
"-0:0:52 - LMT 1918 -0:0:52",
"0 Ghana %s"
],
"Africa/Addis_Ababa": [
"2:34:48 - LMT 1870 2:34:48",
"2:35:20 - ADMT 1936_4_5 2:35:20",
"3 - EAT"
],
"Africa/Algiers": [
"0:12:12 - LMT 1891_2_15_0_1 0:12:12",
"0:9:21 - PMT 1911_2_11 0:9:21",
"0 Algeria WE%sT 1940_1_25_2",
"1 Algeria CE%sT 1946_9_7 1",
"0 - WET 1956_0_29",
"1 - CET 1963_3_14 1",
"0 Algeria WE%sT 1977_9_21 1",
"1 Algeria CE%sT 1979_9_26 1",
"0 Algeria WE%sT 1981_4",
"1 - CET"
],
"Africa/Asmara": [
"2:35:32 - LMT 1870 2:35:32",
"2:35:32 - AMT 1890 2:35:32",
"2:35:20 - ADMT 1936_4_5 2:35:20",
"3 - EAT"
],
"Africa/Bamako": [
"-0:32 - LMT 1912 -0:32",
"0 - GMT 1934_1_26",
"-1 - WAT 1960_5_20 -1",
"0 - GMT"
],
"Africa/Bangui": [
"1:14:20 - LMT 1912 1:14:20",
"1 - WAT"
],
"Africa/Banjul": [
"-1:6:36 - LMT 1912 -1:6:36",
"-1:6:36 - BMT 1935 -1:6:36",
"-1 - WAT 1964 -1",
"0 - GMT"
],
"Africa/Bissau": [
"-1:2:20 - LMT 1911_4_26 -1:2:20",
"-1 - WAT 1975 -1",
"0 - GMT"
],
"Africa/Blantyre": [
"2:20 - LMT 1903_2 2:20",
"2 - CAT"
],
"Africa/Brazzaville": [
"1:1:8 - LMT 1912 1:1:8",
"1 - WAT"
],
"Africa/Bujumbura": [
"1:57:28 - LMT 1890 1:57:28",
"2 - CAT"
],
"Africa/Cairo": [
"2:5:9 - LMT 1900_9 2:5:9",
"2 Egypt EE%sT"
],
"Africa/Casablanca": [
"-0:30:20 - LMT 1913_9_26 -0:30:20",
"0 Morocco WE%sT 1984_2_16",
"1 - CET 1986 1",
"0 Morocco WE%sT"
],
"Africa/Ceuta": [
"-0:21:16 - LMT 1901 -0:21:16",
"0 - WET 1918_4_6_23",
"1 - WEST 1918_9_7_23 1",
"0 - WET 1924",
"0 Spain WE%sT 1929",
"0 SpainAfrica WE%sT 1984_2_16",
"1 - CET 1986 1",
"1 EU CE%sT"
],
"Africa/Conakry": [
"-0:54:52 - LMT 1912 -0:54:52",
"0 - GMT 1934_1_26",
"-1 - WAT 1960 -1",
"0 - GMT"
],
"Africa/Dakar": [
"-1:9:44 - LMT 1912 -1:9:44",
"-1 - WAT 1941_5 -1",
"0 - GMT"
],
"Africa/Dar_es_Salaam": [
"2:37:8 - LMT 1931 2:37:8",
"3 - EAT 1948 3",
"2:45 - BEAUT 1961 2:45",
"3 - EAT"
],
"Africa/Djibouti": [
"2:52:36 - LMT 1911_6 2:52:36",
"3 - EAT"
],
"Africa/Douala": [
"0:38:48 - LMT 1912 0:38:48",
"1 - WAT"
],
"Africa/El_Aaiun": [
"-0:52:48 - LMT 1934_0 -0:52:48",
"-1 - WAT 1976_3_14 -1",
"0 - WET"
],
"Africa/Freetown": [
"-0:53 - LMT 1882 -0:53",
"-0:53 - FMT 1913_5 -0:53",
"-1 SL %s 1957 -1",
"0 SL %s"
],
"Africa/Gaborone": [
"1:43:40 - LMT 1885 1:43:40",
"1:30 - SAST 1903_2 1:30",
"2 - CAT 1943_8_19_2 2",
"3 - CAST 1944_2_19_2 3",
"2 - CAT"
],
"Africa/Harare": [
"2:4:12 - LMT 1903_2 2:4:12",
"2 - CAT"
],
"Africa/Johannesburg": [
"1:52 - LMT 1892_1_8 1:52",
"1:30 - SAST 1903_2 1:30",
"2 SA SAST"
],
"Africa/Juba": [
"2:6:24 - LMT 1931 2:6:24",
"2 Sudan CA%sT 2000_0_15_12 2",
"3 - EAT"
],
"Africa/Kampala": [
"2:9:40 - LMT 1928_6 2:9:40",
"3 - EAT 1930 3",
"2:30 - BEAT 1948 2:30",
"2:45 - BEAUT 1957 2:45",
"3 - EAT"
],
"Africa/Khartoum": [
"2:10:8 - LMT 1931 2:10:8",
"2 Sudan CA%sT 2000_0_15_12 2",
"3 - EAT"
],
"Africa/Kigali": [
"2:0:16 - LMT 1935_5 2:0:16",
"2 - CAT"
],
"Africa/Kinshasa": [
"1:1:12 - LMT 1897_10_9 1:1:12",
"1 - WAT"
],
"Africa/Lagos": [
"0:13:36 - LMT 1919_8 0:13:36",
"1 - WAT"
],
"Africa/Libreville": [
"0:37:48 - LMT 1912 0:37:48",
"1 - WAT"
],
"Africa/Lome": [
"0:4:52 - LMT 1893 0:4:52",
"0 - GMT"
],
"Africa/Luanda": [
"0:52:56 - LMT 1892 0:52:56",
"0:52:4 - AOT 1911_4_26 0:52:4",
"1 - WAT"
],
"Africa/Lubumbashi": [
"1:49:52 - LMT 1897_10_9 1:49:52",
"2 - CAT"
],
"Africa/Lusaka": [
"1:53:8 - LMT 1903_2 1:53:8",
"2 - CAT"
],
"Africa/Malabo": [
"0:35:8 - LMT 1912 0:35:8",
"0 - GMT 1963_11_15",
"1 - WAT"
],
"Africa/Maputo": [
"2:10:20 - LMT 1903_2 2:10:20",
"2 - CAT"
],
"Africa/Maseru": [
"1:50 - LMT 1903_2 1:50",
"2 - SAST 1943_8_19_2 2",
"3 - SAST 1944_2_19_2 3",
"2 - SAST"
],
"Africa/Mbabane": [
"2:4:24 - LMT 1903_2 2:4:24",
"2 - SAST"
],
"Africa/Mogadishu": [
"3:1:28 - LMT 1893_10 3:1:28",
"3 - EAT 1931 3",
"2:30 - BEAT 1957 2:30",
"3 - EAT"
],
"Africa/Monrovia": [
"-0:43:8 - LMT 1882 -0:43:8",
"-0:43:8 - MMT 1919_2 -0:43:8",
"-0:44:30 - LRT 1972_4 -0:44:30",
"0 - GMT"
],
"Africa/Nairobi": [
"2:27:16 - LMT 1928_6 2:27:16",
"3 - EAT 1930 3",
"2:30 - BEAT 1940 2:30",
"2:45 - BEAUT 1960 2:45",
"3 - EAT"
],
"Africa/Ndjamena": [
"1:0:12 - LMT 1912 1:0:12",
"1 - WAT 1979_9_14 1",
"2 - WAST 1980_2_8 2",
"1 - WAT"
],
"Africa/Niamey": [
"0:8:28 - LMT 1912 0:8:28",
"-1 - WAT 1934_1_26 -1",
"0 - GMT 1960",
"1 - WAT"
],
"Africa/Nouakchott": [
"-1:3:48 - LMT 1912 -1:3:48",
"0 - GMT 1934_1_26",
"-1 - WAT 1960_10_28 -1",
"0 - GMT"
],
"Africa/Ouagadougou": [
"-0:6:4 - LMT 1912 -0:6:4",
"0 - GMT"
],
"Africa/Porto-Novo": [
"0:10:28 - LMT 1912 0:10:28",
"0 - GMT 1934_1_26",
"1 - WAT"
],
"Africa/Sao_Tome": [
"0:26:56 - LMT 1884 0:26:56",
"-0:36:32 - LMT 1912 -0:36:32",
"0 - GMT"
],
"Africa/Tripoli": [
"0:52:44 - LMT 1920 0:52:44",
"1 Libya CE%sT 1959 1",
"2 - EET 1982 2",
"1 Libya CE%sT 1990_4_4 1",
"2 - EET 1996_8_30 2",
"1 Libya CE%sT 1997_9_4 2",
"2 - EET 2012_10_10_2 2",
"1 Libya CE%sT"
],
"Africa/Tunis": [
"0:40:44 - LMT 1881_4_12 0:40:44",
"0:9:21 - PMT 1911_2_11 0:9:21",
"1 Tunisia CE%sT"
],
"Africa/Windhoek": [
"1:8:24 - LMT 1892_1_8 1:8:24",
"1:30 - SWAT 1903_2 1:30",
"2 - SAST 1942_8_20_2 2",
"3 - SAST 1943_2_21_2 3",
"2 - SAST 1990_2_21 2",
"2 - CAT 1994_3_3 2",
"1 Namibia WA%sT"
],
"America/Adak": [
"12:13:21 - LMT 1867_9_18 12:13:21",
"-11:46:38 - LMT 1900_7_20_12 -11:46:38",
"-11 - NST 1942 -11",
"-11 US N%sT 1946 -11",
"-11 - NST 1967_3 -11",
"-11 - BST 1969 -11",
"-11 US B%sT 1983_9_30_2 -10",
"-10 US AH%sT 1983_10_30 -10",
"-10 US HA%sT"
],
"America/Anchorage": [
"14:0:24 - LMT 1867_9_18 14:0:24",
"-9:59:36 - LMT 1900_7_20_12 -9:59:36",
"-10 - CAT 1942 -10",
"-10 US CAT/CAWT 1945_7_14_23",
"-10 US CAT/CAPT 1946 -10",
"-10 - CAT 1967_3 -10",
"-10 - AHST 1969 -10",
"-10 US AH%sT 1983_9_30_2 -9",
"-9 US Y%sT 1983_10_30 -9",
"-9 US AK%sT"
],
"America/Anguilla": [
"-4:12:16 - LMT 1912_2_2 -4:12:16",
"-4 - AST"
],
"America/Antigua": [
"-4:7:12 - LMT 1912_2_2 -4:7:12",
"-5 - EST 1951 -5",
"-4 - AST"
],
"America/Araguaina": [
"-3:12:48 - LMT 1914 -3:12:48",
"-3 Brazil BR%sT 1990_8_17 -3",
"-3 - BRT 1995_8_14 -3",
"-3 Brazil BR%sT 2003_8_24 -3",
"-3 - BRT 2012_9_21 -3",
"-3 Brazil BR%sT"
],
"America/Argentina/Buenos_Aires": [
"-3:53:48 - LMT 1894_9_31 -3:53:48",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 Arg AR%sT"
],
"America/Argentina/Catamarca": [
"-4:23:8 - LMT 1894_9_31 -4:23:8",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1991_2_3 -2",
"-4 - WART 1991_9_20 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_5_1 -3",
"-4 - WART 2004_5_20 -4",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/Cordoba": [
"-4:16:48 - LMT 1894_9_31 -4:16:48",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1991_2_3 -2",
"-4 - WART 1991_9_20 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 Arg AR%sT"
],
"America/Argentina/Jujuy": [
"-4:21:12 - LMT 1894_9_31 -4:21:12",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1990_2_4 -2",
"-4 - WART 1990_9_28 -4",
"-3 - WARST 1991_2_17 -3",
"-4 - WART 1991_9_6 -4",
"-2 - ARST 1992 -2",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/La_Rioja": [
"-4:27:24 - LMT 1894_9_31 -4:27:24",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1991_2_1 -2",
"-4 - WART 1991_4_7 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_5_1 -3",
"-4 - WART 2004_5_20 -4",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/Mendoza": [
"-4:35:16 - LMT 1894_9_31 -4:35:16",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1990_2_4 -2",
"-4 - WART 1990_9_15 -4",
"-3 - WARST 1991_2_1 -3",
"-4 - WART 1991_9_15 -4",
"-3 - WARST 1992_2_1 -3",
"-4 - WART 1992_9_18 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_4_23 -3",
"-4 - WART 2004_8_26 -4",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/Rio_Gallegos": [
"-4:36:52 - LMT 1894_9_31 -4:36:52",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_5_1 -3",
"-4 - WART 2004_5_20 -4",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/Salta": [
"-4:21:40 - LMT 1894_9_31 -4:21:40",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1991_2_3 -2",
"-4 - WART 1991_9_20 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/San_Juan": [
"-4:34:4 - LMT 1894_9_31 -4:34:4",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1991_2_1 -2",
"-4 - WART 1991_4_7 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_4_31 -3",
"-4 - WART 2004_6_25 -4",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Argentina/San_Luis": [
"-4:25:24 - LMT 1894_9_31 -4:25:24",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1990 -2",
"-2 - ARST 1990_2_14 -2",
"-4 - WART 1990_9_15 -4",
"-3 - WARST 1991_2_1 -3",
"-4 - WART 1991_5_1 -4",
"-3 - ART 1999_9_3 -3",
"-3 - WARST 2000_2_3 -3",
"-3 - ART 2004_4_31 -3",
"-4 - WART 2004_6_25 -4",
"-3 Arg AR%sT 2008_0_21 -2",
"-4 SanLuis WAR%sT"
],
"America/Argentina/Tucuman": [
"-4:20:52 - LMT 1894_9_31 -4:20:52",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1991_2_3 -2",
"-4 - WART 1991_9_20 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_5_1 -3",
"-4 - WART 2004_5_13 -4",
"-3 Arg AR%sT"
],
"America/Argentina/Ushuaia": [
"-4:33:12 - LMT 1894_9_31 -4:33:12",
"-4:16:48 - CMT 1920_4 -4:16:48",
"-4 - ART 1930_11 -4",
"-4 Arg AR%sT 1969_9_5 -4",
"-3 Arg AR%sT 1999_9_3 -3",
"-4 Arg AR%sT 2000_2_3 -3",
"-3 - ART 2004_4_30 -3",
"-4 - WART 2004_5_20 -4",
"-3 Arg AR%sT 2008_9_18 -3",
"-3 - ART"
],
"America/Aruba": [
"-4:40:24 - LMT 1912_1_12 -4:40:24",
"-4:30 - ANT 1965 -4:30",
"-4 - AST"
],
"America/Asuncion": [
"-3:50:40 - LMT 1890 -3:50:40",
"-3:50:40 - AMT 1931_9_10 -3:50:40",
"-4 - PYT 1972_9 -4",
"-3 - PYT 1974_3 -3",
"-4 Para PY%sT"
],
"America/Atikokan": [
"-6:6:28 - LMT 1895 -6:6:28",
"-6 Canada C%sT 1940_8_29 -6",
"-5 - CDT 1942_1_9_2 -6",
"-6 Canada C%sT 1945_8_30_2 -5",
"-5 - EST"
],
"America/Bahia": [
"-2:34:4 - LMT 1914 -2:34:4",
"-3 Brazil BR%sT 2003_8_24 -3",
"-3 - BRT 2011_9_16 -3",
"-3 Brazil BR%sT 2012_9_21 -3",
"-3 - BRT"
],
"America/Bahia_Banderas": [
"-7:1 - LMT 1921_11_31_23_59 -7:1",
"-7 - MST 1927_5_10_23 -7",
"-6 - CST 1930_10_15 -6",
"-7 - MST 1931_4_1_23 -7",
"-6 - CST 1931_9 -6",
"-7 - MST 1932_3_1 -7",
"-6 - CST 1942_3_24 -6",
"-7 - MST 1949_0_14 -7",
"-8 - PST 1970 -8",
"-7 Mexico M%sT 2010_3_4_2 -7",
"-6 Mexico C%sT"
],
"America/Barbados": [
"-3:58:29 - LMT 1924 -3:58:29",
"-3:58:29 - BMT 1932 -3:58:29",
"-4 Barb A%sT"
],
"America/Belem": [
"-3:13:56 - LMT 1914 -3:13:56",
"-3 Brazil BR%sT 1988_8_12 -3",
"-3 - BRT"
],
"America/Belize": [
"-5:52:48 - LMT 1912_3 -5:52:48",
"-6 Belize C%sT"
],
"America/Blanc-Sablon": [
"-3:48:28 - LMT 1884 -3:48:28",
"-4 Canada A%sT 1970 -4",
"-4 - AST"
],
"America/Boa_Vista": [
"-4:2:40 - LMT 1914 -4:2:40",
"-4 Brazil AM%sT 1988_8_12 -4",
"-4 - AMT 1999_8_30 -4",
"-4 Brazil AM%sT 2000_9_15 -3",
"-4 - AMT"
],
"America/Bogota": [
"-4:56:16 - LMT 1884_2_13 -4:56:16",
"-4:56:16 - BMT 1914_10_23 -4:56:16",
"-5 CO CO%sT"
],
"America/Boise": [
"-7:44:49 - LMT 1883_10_18_12_15_11 -7:44:49",
"-8 US P%sT 1923_4_13_2 -8",
"-7 US M%sT 1974 -7",
"-7 - MST 1974_1_3_2 -7",
"-7 US M%sT"
],
"America/Cambridge_Bay": [
"0 - zzz 1920",
"-7 NT_YK M%sT 1999_9_31_2 -6",
"-6 Canada C%sT 2000_9_29_2 -5",
"-5 - EST 2000_10_5_0 -5",
"-6 - CST 2001_3_1_3 -6",
"-7 Canada M%sT"
],
"America/Campo_Grande": [
"-3:38:28 - LMT 1914 -3:38:28",
"-4 Brazil AM%sT"
],
"America/Cancun": [
"-5:47:4 - LMT 1922_0_1_0_12_56 -5:47:4",
"-6 - CST 1981_11_23 -6",
"-5 Mexico E%sT 1998_7_2_2 -4",
"-6 Mexico C%sT"
],
"America/Caracas": [
"-4:27:44 - LMT 1890 -4:27:44",
"-4:27:40 - CMT 1912_1_12 -4:27:40",
"-4:30 - VET 1965 -4:30",
"-4 - VET 2007_11_9_03 -4",
"-4:30 - VET"
],
"America/Cayenne": [
"-3:29:20 - LMT 1911_6 -3:29:20",
"-4 - GFT 1967_9 -4",
"-3 - GFT"
],
"America/Cayman": [
"-5:25:32 - LMT 1890 -5:25:32",
"-5:7:12 - KMT 1912_1 -5:7:12",
"-5 - EST"
],
"America/Chicago": [
"-5:50:36 - LMT 1883_10_18_12_9_24 -5:50:36",
"-6 US C%sT 1920 -6",
"-6 Chicago C%sT 1936_2_1_2 -6",
"-5 - EST 1936_10_15_2 -5",
"-6 Chicago C%sT 1942 -6",
"-6 US C%sT 1946 -6",
"-6 Chicago C%sT 1967 -6",
"-6 US C%sT"
],
"America/Chihuahua": [
"-7:4:20 - LMT 1921_11_31_23_55_40 -7:4:20",
"-7 - MST 1927_5_10_23 -7",
"-6 - CST 1930_10_15 -6",
"-7 - MST 1931_4_1_23 -7",
"-6 - CST 1931_9 -6",
"-7 - MST 1932_3_1 -7",
"-6 - CST 1996 -6",
"-6 Mexico C%sT 1998 -6",
"-6 - CST 1998_3_5_3 -6",
"-7 Mexico M%sT"
],
"America/Costa_Rica": [
"-5:36:13 - LMT 1890 -5:36:13",
"-5:36:13 - SJMT 1921_0_15 -5:36:13",
"-6 CR C%sT"
],
"America/Creston": [
"-7:46:4 - LMT 1884 -7:46:4",
"-7 - MST 1916_9_1 -7",
"-8 - PST 1918_5_2 -8",
"-7 - MST"
],
"America/Cuiaba": [
"-3:44:20 - LMT 1914 -3:44:20",
"-4 Brazil AM%sT 2003_8_24 -4",
"-4 - AMT 2004_9_1 -4",
"-4 Brazil AM%sT"
],
"America/Curacao": [
"-4:35:47 - LMT 1912_1_12 -4:35:47",
"-4:30 - ANT 1965 -4:30",
"-4 - AST"
],
"America/Danmarkshavn": [
"-1:14:40 - LMT 1916_6_28 -1:14:40",
"-3 - WGT 1980_3_6_2 -3",
"-3 EU WG%sT 1996 -3",
"0 - GMT"
],
"America/Dawson": [
"-9:17:40 - LMT 1900_7_20 -9:17:40",
"-9 NT_YK Y%sT 1973_9_28_0 -9",
"-8 NT_YK P%sT 1980 -8",
"-8 Canada P%sT"
],
"America/Dawson_Creek": [
"-8:0:56 - LMT 1884 -8:0:56",
"-8 Canada P%sT 1947 -8",
"-8 Vanc P%sT 1972_7_30_2 -7",
"-7 - MST"
],
"America/Denver": [
"-6:59:56 - LMT 1883_10_18_12_0_4 -6:59:56",
"-7 US M%sT 1920 -7",
"-7 Denver M%sT 1942 -7",
"-7 US M%sT 1946 -7",
"-7 Denver M%sT 1967 -7",
"-7 US M%sT"
],
"America/Detroit": [
"-5:32:11 - LMT 1905 -5:32:11",
"-6 - CST 1915_4_15_2 -6",
"-5 - EST 1942 -5",
"-5 US E%sT 1946 -5",
"-5 Detroit E%sT 1973 -5",
"-5 US E%sT 1975 -5",
"-5 - EST 1975_3_27_2 -5",
"-5 US E%sT"
],
"America/Dominica": [
"-4:5:36 - LMT 1911_6_1_0_1 -4:5:36",
"-4 - AST"
],
"America/Edmonton": [
"-7:33:52 - LMT 1906_8 -7:33:52",
"-7 Edm M%sT 1987 -7",
"-7 Canada M%sT"
],
"America/Eirunepe": [
"-4:39:28 - LMT 1914 -4:39:28",
"-5 Brazil AC%sT 1988_8_12 -5",
"-5 - ACT 1993_8_28 -5",
"-5 Brazil AC%sT 1994_8_22 -5",
"-5 - ACT 2008_5_24_00 -5",
"-4 - AMT"
],
"America/El_Salvador": [
"-5:56:48 - LMT 1921 -5:56:48",
"-6 Salv C%sT"
],
"America/Fortaleza": [
"-2:34 - LMT 1914 -2:34",
"-3 Brazil BR%sT 1990_8_17 -3",
"-3 - BRT 1999_8_30 -3",
"-3 Brazil BR%sT 2000_9_22 -2",
"-3 - BRT 2001_8_13 -3",
"-3 Brazil BR%sT 2002_9_1 -3",
"-3 - BRT"
],
"America/Glace_Bay": [
"-3:59:48 - LMT 1902_5_15 -3:59:48",
"-4 Canada A%sT 1953 -4",
"-4 Halifax A%sT 1954 -4",
"-4 - AST 1972 -4",
"-4 Halifax A%sT 1974 -4",
"-4 Canada A%sT"
],
"America/Godthab": [
"-3:26:56 - LMT 1916_6_28 -3:26:56",
"-3 - WGT 1980_3_6_2 -3",
"-3 EU WG%sT"
],
"America/Goose_Bay": [
"-4:1:40 - LMT 1884 -4:1:40",
"-3:30:52 - NST 1918 -3:30:52",
"-3:30:52 Canada N%sT 1919 -3:30:52",
"-3:30:52 - NST 1935_2_30 -3:30:52",
"-3:30 - NST 1936 -3:30",
"-3:30 StJohns N%sT 1942_4_11 -3:30",
"-3:30 Canada N%sT 1946 -3:30",
"-3:30 StJohns N%sT 1966_2_15_2 -3:30",
"-4 StJohns A%sT 2011_10 -3",
"-4 Canada A%sT"
],
"America/Grand_Turk": [
"-4:44:32 - LMT 1890 -4:44:32",
"-5:7:12 - KMT 1912_1 -5:7:12",
"-5 TC E%sT"
],
"America/Grenada": [
"-4:7 - LMT 1911_6 -4:7",
"-4 - AST"
],
"America/Guadeloupe": [
"-4:6:8 - LMT 1911_5_8 -4:6:8",
"-4 - AST"
],
"America/Guatemala": [
"-6:2:4 - LMT 1918_9_5 -6:2:4",
"-6 Guat C%sT"
],
"America/Guayaquil": [
"-5:19:20 - LMT 1890 -5:19:20",
"-5:14 - QMT 1931 -5:14",
"-5 - ECT"
],
"America/Guyana": [
"-3:52:40 - LMT 1915_2 -3:52:40",
"-3:45 - GBGT 1966_4_26 -3:45",
"-3:45 - GYT 1975_6_31 -3:45",
"-3 - GYT 1991 -3",
"-4 - GYT"
],
"America/Halifax": [
"-4:14:24 - LMT 1902_5_15 -4:14:24",
"-4 Halifax A%sT 1918 -4",
"-4 Canada A%sT 1919 -4",
"-4 Halifax A%sT 1942_1_9_2 -4",
"-4 Canada A%sT 1946 -4",
"-4 Halifax A%sT 1974 -4",
"-4 Canada A%sT"
],
"America/Havana": [
"-5:29:28 - LMT 1890 -5:29:28",
"-5:29:36 - HMT 1925_6_19_12 -5:29:36",
"-5 Cuba C%sT"
],
"America/Hermosillo": [
"-7:23:52 - LMT 1921_11_31_23_36_8 -7:23:52",
"-7 - MST 1927_5_10_23 -7",
"-6 - CST 1930_10_15 -6",
"-7 - MST 1931_4_1_23 -7",
"-6 - CST 1931_9 -6",
"-7 - MST 1932_3_1 -7",
"-6 - CST 1942_3_24 -6",
"-7 - MST 1949_0_14 -7",
"-8 - PST 1970 -8",
"-7 Mexico M%sT 1999 -7",
"-7 - MST"
],
"America/Indiana/Indianapolis": [
"-5:44:38 - LMT 1883_10_18_12_15_22 -5:44:38",
"-6 US C%sT 1920 -6",
"-6 Indianapolis C%sT 1942 -6",
"-6 US C%sT 1946 -6",
"-6 Indianapolis C%sT 1955_3_24_2 -6",
"-5 - EST 1957_8_29_2 -5",
"-6 - CST 1958_3_27_2 -6",
"-5 - EST 1969 -5",
"-5 US E%sT 1971 -5",
"-5 - EST 2006 -5",
"-5 US E%sT"
],
"America/Indiana/Knox": [
"-5:46:30 - LMT 1883_10_18_12_13_30 -5:46:30",
"-6 US C%sT 1947 -6",
"-6 Starke C%sT 1962_3_29_2 -6",
"-5 - EST 1963_9_27_2 -5",
"-6 US C%sT 1991_9_27_2 -5",
"-5 - EST 2006_3_2_2 -5",
"-6 US C%sT"
],
"America/Indiana/Marengo": [
"-5:45:23 - LMT 1883_10_18_12_14_37 -5:45:23",
"-6 US C%sT 1951 -6",
"-6 Marengo C%sT 1961_3_30_2 -6",
"-5 - EST 1969 -5",
"-5 US E%sT 1974_0_6_2 -5",
"-5 - CDT 1974_9_27_2 -5",
"-5 US E%sT 1976 -5",
"-5 - EST 2006 -5",
"-5 US E%sT"
],
"America/Indiana/Petersburg": [
"-5:49:7 - LMT 1883_10_18_12_10_53 -5:49:7",
"-6 US C%sT 1955 -6",
"-6 Pike C%sT 1965_3_25_2 -6",
"-5 - EST 1966_9_30_2 -5",
"-6 US C%sT 1977_9_30_2 -5",
"-5 - EST 2006_3_2_2 -5",
"-6 US C%sT 2007_10_4_2 -5",
"-5 US E%sT"
],
"America/Indiana/Tell_City": [
"-5:47:3 - LMT 1883_10_18_12_12_57 -5:47:3",
"-6 US C%sT 1946 -6",
"-6 Perry C%sT 1964_3_26_2 -6",
"-5 - EST 1969 -5",
"-5 US E%sT 1971 -5",
"-5 - EST 2006_3_2_2 -5",
"-6 US C%sT"
],
"America/Indiana/Vevay": [
"-5:40:16 - LMT 1883_10_18_12_19_44 -5:40:16",
"-6 US C%sT 1954_3_25_2 -6",
"-5 - EST 1969 -5",
"-5 US E%sT 1973 -5",
"-5 - EST 2006 -5",
"-5 US E%sT"
],
"America/Indiana/Vincennes": [
"-5:50:7 - LMT 1883_10_18_12_9_53 -5:50:7",
"-6 US C%sT 1946 -6",
"-6 Vincennes C%sT 1964_3_26_2 -6",
"-5 - EST 1969 -5",
"-5 US E%sT 1971 -5",
"-5 - EST 2006_3_2_2 -5",
"-6 US C%sT 2007_10_4_2 -5",
"-5 US E%sT"
],
"America/Indiana/Winamac": [
"-5:46:25 - LMT 1883_10_18_12_13_35 -5:46:25",
"-6 US C%sT 1946 -6",
"-6 Pulaski C%sT 1961_3_30_2 -6",
"-5 - EST 1969 -5",
"-5 US E%sT 1971 -5",
"-5 - EST 2006_3_2_2 -5",
"-6 US C%sT 2007_2_11_2 -6",
"-5 US E%sT"
],
"America/Inuvik": [
"0 - zzz 1953",
"-8 NT_YK P%sT 1979_3_29_2 -8",
"-7 NT_YK M%sT 1980 -7",
"-7 Canada M%sT"
],
"America/Iqaluit": [
"0 - zzz 1942_7",
"-5 NT_YK E%sT 1999_9_31_2 -4",
"-6 Canada C%sT 2000_9_29_2 -5",
"-5 Canada E%sT"
],
"America/Jamaica": [
"-5:7:12 - LMT 1890 -5:7:12",
"-5:7:12 - KMT 1912_1 -5:7:12",
"-5 - EST 1974_3_28_2 -5",
"-5 US E%sT 1984 -5",
"-5 - EST"
],
"America/Juneau": [
"15:2:19 - LMT 1867_9_18 15:2:19",
"-8:57:41 - LMT 1900_7_20_12 -8:57:41",
"-8 - PST 1942 -8",
"-8 US P%sT 1946 -8",
"-8 - PST 1969 -8",
"-8 US P%sT 1980_3_27_2 -8",
"-9 US Y%sT 1980_9_26_2 -8",
"-8 US P%sT 1983_9_30_2 -7",
"-9 US Y%sT 1983_10_30 -9",
"-9 US AK%sT"
],
"America/Kentucky/Louisville": [
"-5:43:2 - LMT 1883_10_18_12_16_58 -5:43:2",
"-6 US C%sT 1921 -6",
"-6 Louisville C%sT 1942 -6",
"-6 US C%sT 1946 -6",
"-6 Louisville C%sT 1961_6_23_2 -5",
"-5 - EST 1968 -5",
"-5 US E%sT 1974_0_6_2 -5",
"-5 - CDT 1974_9_27_2 -5",
"-5 US E%sT"
],
"America/Kentucky/Monticello": [
"-5:39:24 - LMT 1883_10_18_12_20_36 -5:39:24",
"-6 US C%sT 1946 -6",
"-6 - CST 1968 -6",
"-6 US C%sT 2000_9_29_2 -5",
"-5 US E%sT"
],
"America/La_Paz": [
"-4:32:36 - LMT 1890 -4:32:36",
"-4:32:36 - CMT 1931_9_15 -4:32:36",
"-3:32:36 - BOST 1932_2_21 -3:32:36",
"-4 - BOT"
],
"America/Lima": [
"-5:8:12 - LMT 1890 -5:8:12",
"-5:8:36 - LMT 1908_6_28 -5:8:36",
"-5 Peru PE%sT"
],
"America/Los_Angeles": [
"-7:52:58 - LMT 1883_10_18_12_7_2 -7:52:58",
"-8 US P%sT 1946 -8",
"-8 CA P%sT 1967 -8",
"-8 US P%sT"
],
"America/Maceio": [
"-2:22:52 - LMT 1914 -2:22:52",
"-3 Brazil BR%sT 1990_8_17 -3",
"-3 - BRT 1995_9_13 -3",
"-3 Brazil BR%sT 1996_8_4 -3",
"-3 - BRT 1999_8_30 -3",
"-3 Brazil BR%sT 2000_9_22 -2",
"-3 - BRT 2001_8_13 -3",
"-3 Brazil BR%sT 2002_9_1 -3",
"-3 - BRT"
],
"America/Managua": [
"-5:45:8 - LMT 1890 -5:45:8",
"-5:45:12 - MMT 1934_5_23 -5:45:12",
"-6 - CST 1973_4 -6",
"-5 - EST 1975_1_16 -5",
"-6 Nic C%sT 1992_0_1_4 -6",
"-5 - EST 1992_8_24 -5",
"-6 - CST 1993 -6",
"-5 - EST 1997 -5",
"-6 Nic C%sT"
],
"America/Manaus": [
"-4:0:4 - LMT 1914 -4:0:4",
"-4 Brazil AM%sT 1988_8_12 -4",
"-4 - AMT 1993_8_28 -4",
"-4 Brazil AM%sT 1994_8_22 -4",
"-4 - AMT"
],
"America/Martinique": [
"-4:4:20 - LMT 1890 -4:4:20",
"-4:4:20 - FFMT 1911_4 -4:4:20",
"-4 - AST 1980_3_6 -4",
"-3 - ADT 1980_8_28 -3",
"-4 - AST"
],
"America/Matamoros": [
"-6:40 - LMT 1921_11_31_23_20 -6:40",
"-6 - CST 1988 -6",
"-6 US C%sT 1989 -6",
"-6 Mexico C%sT 2010 -6",
"-6 US C%sT"
],
"America/Mazatlan": [
"-7:5:40 - LMT 1921_11_31_23_54_20 -7:5:40",
"-7 - MST 1927_5_10_23 -7",
"-6 - CST 1930_10_15 -6",
"-7 - MST 1931_4_1_23 -7",
"-6 - CST 1931_9 -6",
"-7 - MST 1932_3_1 -7",
"-6 - CST 1942_3_24 -6",
"-7 - MST 1949_0_14 -7",
"-8 - PST 1970 -8",
"-7 Mexico M%sT"
],
"America/Menominee": [
"-5:50:27 - LMT 1885_8_18_12 -5:50:27",
"-6 US C%sT 1946 -6",
"-6 Menominee C%sT 1969_3_27_2 -6",
"-5 - EST 1973_3_29_2 -5",
"-6 US C%sT"
],
"America/Merida": [
"-5:58:28 - LMT 1922_0_1_0_1_32 -5:58:28",
"-6 - CST 1981_11_23 -6",
"-5 - EST 1982_11_2 -5",
"-6 Mexico C%sT"
],
"America/Metlakatla": [
"15:13:42 - LMT 1867_9_18 15:13:42",
"-8:46:18 - LMT 1900_7_20_12 -8:46:18",
"-8 - PST 1942 -8",
"-8 US P%sT 1946 -8",
"-8 - PST 1969 -8",
"-8 US P%sT 1983_9_30_2 -7",
"-8 - MeST"
],
"America/Mexico_City": [
"-6:36:36 - LMT 1922_0_1_0_23_24 -6:36:36",
"-7 - MST 1927_5_10_23 -7",
"-6 - CST 1930_10_15 -6",
"-7 - MST 1931_4_1_23 -7",
"-6 - CST 1931_9 -6",
"-7 - MST 1932_3_1 -7",
"-6 Mexico C%sT 2001_8_30_02 -5",
"-6 - CST 2002_1_20 -6",
"-6 Mexico C%sT"
],
"America/Miquelon": [
"-3:44:40 - LMT 1911_4_15 -3:44:40",
"-4 - AST 1980_4 -4",
"-3 - PMST 1987 -3",
"-3 Canada PM%sT"
],
"America/Moncton": [
"-4:19:8 - LMT 1883_11_9 -4:19:8",
"-5 - EST 1902_5_15 -5",
"-4 Canada A%sT 1933 -4",
"-4 Moncton A%sT 1942 -4",
"-4 Canada A%sT 1946 -4",
"-4 Moncton A%sT 1973 -4",
"-4 Canada A%sT 1993 -4",
"-4 Moncton A%sT 2007 -4",
"-4 Canada A%sT"
],
"America/Monterrey": [
"-6:41:16 - LMT 1921_11_31_23_18_44 -6:41:16",
"-6 - CST 1988 -6",
"-6 US C%sT 1989 -6",
"-6 Mexico C%sT"
],
"America/Montevideo": [
"-3:44:44 - LMT 1898_5_28 -3:44:44",
"-3:44:44 - MMT 1920_4_1 -3:44:44",
"-3:30 Uruguay UY%sT 1942_11_14 -3:30",
"-3 Uruguay UY%sT"
],
"America/Montreal": [
"-4:54:16 - LMT 1884 -4:54:16",
"-5 Mont E%sT 1918 -5",
"-5 Canada E%sT 1919 -5",
"-5 Mont E%sT 1942_1_9_2 -5",
"-5 Canada E%sT 1946 -5",
"-5 Mont E%sT 1974 -5",
"-5 Canada E%sT"
],
"America/Montserrat": [
"-4:8:52 - LMT 1911_6_1_0_1 -4:8:52",
"-4 - AST"
],
"America/Nassau": [
"-5:9:30 - LMT 1912_2_2 -5:9:30",
"-5 Bahamas E%sT 1976 -5",
"-5 US E%sT"
],
"America/New_York": [
"-4:56:2 - LMT 1883_10_18_12_3_58 -4:56:2",
"-5 US E%sT 1920 -5",
"-5 NYC E%sT 1942 -5",
"-5 US E%sT 1946 -5",
"-5 NYC E%sT 1967 -5",
"-5 US E%sT"
],
"America/Nipigon": [
"-5:53:4 - LMT 1895 -5:53:4",
"-5 Canada E%sT 1940_8_29 -5",
"-4 - EDT 1942_1_9_2 -5",
"-5 Canada E%sT"
],
"America/Nome": [
"12:58:21 - LMT 1867_9_18 12:58:21",
"-11:1:38 - LMT 1900_7_20_12 -11:1:38",
"-11 - NST 1942 -11",
"-11 US N%sT 1946 -11",
"-11 - NST 1967_3 -11",
"-11 - BST 1969 -11",
"-11 US B%sT 1983_9_30_2 -10",
"-9 US Y%sT 1983_10_30 -9",
"-9 US AK%sT"
],
"America/Noronha": [
"-2:9:40 - LMT 1914 -2:9:40",
"-2 Brazil FN%sT 1990_8_17 -2",
"-2 - FNT 1999_8_30 -2",
"-2 Brazil FN%sT 2000_9_15 -1",
"-2 - FNT 2001_8_13 -2",
"-2 Brazil FN%sT 2002_9_1 -2",
"-2 - FNT"
],
"America/North_Dakota/Beulah": [
"-6:47:7 - LMT 1883_10_18_12_12_53 -6:47:7",
"-7 US M%sT 2010_10_7_2 -6",
"-6 US C%sT"
],
"America/North_Dakota/Center": [
"-6:45:12 - LMT 1883_10_18_12_14_48 -6:45:12",
"-7 US M%sT 1992_9_25_02 -6",
"-6 US C%sT"
],
"America/North_Dakota/New_Salem": [
"-6:45:39 - LMT 1883_10_18_12_14_21 -6:45:39",
"-7 US M%sT 2003_9_26_02 -6",
"-6 US C%sT"
],
"America/Ojinaga": [
"-6:57:40 - LMT 1922_0_1_0_2_20 -6:57:40",
"-7 - MST 1927_5_10_23 -7",
"-6 - CST 1930_10_15 -6",
"-7 - MST 1931_4_1_23 -7",
"-6 - CST 1931_9 -6",
"-7 - MST 1932_3_1 -7",
"-6 - CST 1996 -6",
"-6 Mexico C%sT 1998 -6",
"-6 - CST 1998_3_5_3 -6",
"-7 Mexico M%sT 2010 -7",
"-7 US M%sT"
],
"America/Panama": [
"-5:18:8 - LMT 1890 -5:18:8",
"-5:19:36 - CMT 1908_3_22 -5:19:36",
"-5 - EST"
],
"America/Pangnirtung": [
"0 - zzz 1921",
"-4 NT_YK A%sT 1995_3_2_2 -4",
"-5 Canada E%sT 1999_9_31_2 -4",
"-6 Canada C%sT 2000_9_29_2 -5",
"-5 Canada E%sT"
],
"America/Paramaribo": [
"-3:40:40 - LMT 1911 -3:40:40",
"-3:40:52 - PMT 1935 -3:40:52",
"-3:40:36 - PMT 1945_9 -3:40:36",
"-3:30 - NEGT 1975_10_20 -3:30",
"-3:30 - SRT 1984_9 -3:30",
"-3 - SRT"
],
"America/Phoenix": [
"-7:28:18 - LMT 1883_10_18_11_31_42 -7:28:18",
"-7 US M%sT 1944_0_1_00_1 -6",
"-7 - MST 1944_3_1_00_1 -7",
"-7 US M%sT 1944_9_1_00_1 -6",
"-7 - MST 1967 -7",
"-7 US M%sT 1968_2_21 -7",
"-7 - MST"
],
"America/Port-au-Prince": [
"-4:49:20 - LMT 1890 -4:49:20",
"-4:49 - PPMT 1917_0_24_12 -4:49",
"-5 Haiti E%sT"
],
"America/Port_of_Spain": [
"-4:6:4 - LMT 1912_2_2 -4:6:4",
"-4 - AST"
],
"America/Porto_Velho": [
"-4:15:36 - LMT 1914 -4:15:36",
"-4 Brazil AM%sT 1988_8_12 -4",
"-4 - AMT"
],
"America/Puerto_Rico": [
"-4:24:25 - LMT 1899_2_28_12 -4:24:25",
"-4 - AST 1942_4_3 -4",
"-4 US A%sT 1946 -4",
"-4 - AST"
],
"America/Rainy_River": [
"-6:18:16 - LMT 1895 -6:18:16",
"-6 Canada C%sT 1940_8_29 -6",
"-5 - CDT 1942_1_9_2 -6",
"-6 Canada C%sT"
],
"America/Rankin_Inlet": [
"0 - zzz 1957",
"-6 NT_YK C%sT 2000_9_29_2 -5",
"-5 - EST 2001_3_1_3 -5",
"-6 Canada C%sT"
],
"America/Recife": [
"-2:19:36 - LMT 1914 -2:19:36",
"-3 Brazil BR%sT 1990_8_17 -3",
"-3 - BRT 1999_8_30 -3",
"-3 Brazil BR%sT 2000_9_15 -2",
"-3 - BRT 2001_8_13 -3",
"-3 Brazil BR%sT 2002_9_1 -3",
"-3 - BRT"
],
"America/Regina": [
"-6:58:36 - LMT 1905_8 -6:58:36",
"-7 Regina M%sT 1960_3_24_2 -7",
"-6 - CST"
],
"America/Resolute": [
"0 - zzz 1947_7_31",
"-6 NT_YK C%sT 2000_9_29_2 -5",
"-5 - EST 2001_3_1_3 -5",
"-6 Canada C%sT 2006_9_29_2 -5",
"-5 - EST 2007_2_11_3 -5",
"-6 Canada C%sT"
],
"America/Rio_Branco": [
"-4:31:12 - LMT 1914 -4:31:12",
"-5 Brazil AC%sT 1988_8_12 -5",
"-5 - ACT 2008_5_24_00 -5",
"-4 - AMT"
],
"America/Santa_Isabel": [
"-7:39:28 - LMT 1922_0_1_0_20_32 -7:39:28",
"-7 - MST 1924 -7",
"-8 - PST 1927_5_10_23 -8",
"-7 - MST 1930_10_15 -7",
"-8 - PST 1931_3_1 -8",
"-7 - PDT 1931_8_30 -7",
"-8 - PST 1942_3_24 -8",
"-7 - PWT 1945_7_14_23",
"-7 - PPT 1945_10_12 -7",
"-8 - PST 1948_3_5 -8",
"-7 - PDT 1949_0_14 -7",
"-8 - PST 1954 -8",
"-8 CA P%sT 1961 -8",
"-8 - PST 1976 -8",
"-8 US P%sT 1996 -8",
"-8 Mexico P%sT 2001 -8",
"-8 US P%sT 2002_1_20 -8",
"-8 Mexico P%sT"
],
"America/Santarem": [
"-3:38:48 - LMT 1914 -3:38:48",
"-4 Brazil AM%sT 1988_8_12 -4",
"-4 - AMT 2008_5_24_00 -4",
"-3 - BRT"
],
"America/Santiago": [
"-4:42:46 - LMT 1890 -4:42:46",
"-4:42:46 - SMT 1910 -4:42:46",
"-5 - CLT 1916_6_1 -5",
"-4:42:46 - SMT 1918_8_1 -4:42:46",
"-4 - CLT 1919_6_1 -4",
"-4:42:46 - SMT 1927_8_1 -4:42:46",
"-5 Chile CL%sT 1947_4_22 -5",
"-4 Chile CL%sT"
],
"America/Santo_Domingo": [
"-4:39:36 - LMT 1890 -4:39:36",
"-4:40 - SDMT 1933_3_1_12 -4:40",
"-5 DR E%sT 1974_9_27 -5",
"-4 - AST 2000_9_29_02 -4",
"-5 US E%sT 2000_11_3_01 -5",
"-4 - AST"
],
"America/Sao_Paulo": [
"-3:6:28 - LMT 1914 -3:6:28",
"-3 Brazil BR%sT 1963_9_23_00 -3",
"-2 - BRST 1964 -2",
"-3 Brazil BR%sT"
],
"America/Scoresbysund": [
"-1:27:52 - LMT 1916_6_28 -1:27:52",
"-2 - CGT 1980_3_6_2 -2",
"-2 C-Eur CG%sT 1981_2_29 -2",
"-1 EU EG%sT"
],
"America/Sitka": [
"14:58:47 - LMT 1867_9_18 14:58:47",
"-9:1:13 - LMT 1900_7_20_12 -9:1:13",
"-8 - PST 1942 -8",
"-8 US P%sT 1946 -8",
"-8 - PST 1969 -8",
"-8 US P%sT 1983_9_30_2 -7",
"-9 US Y%sT 1983_10_30 -9",
"-9 US AK%sT"
],
"America/St_Johns": [
"-3:30:52 - LMT 1884 -3:30:52",
"-3:30:52 StJohns N%sT 1918 -3:30:52",
"-3:30:52 Canada N%sT 1919 -3:30:52",
"-3:30:52 StJohns N%sT 1935_2_30 -3:30:52",
"-3:30 StJohns N%sT 1942_4_11 -3:30",
"-3:30 Canada N%sT 1946 -3:30",
"-3:30 StJohns N%sT 2011_10 -2:30",
"-3:30 Canada N%sT"
],
"America/St_Kitts": [
"-4:10:52 - LMT 1912_2_2 -4:10:52",
"-4 - AST"
],
"America/St_Lucia": [
"-4:4 - LMT 1890 -4:4",
"-4:4 - CMT 1912 -4:4",
"-4 - AST"
],
"America/St_Thomas": [
"-4:19:44 - LMT 1911_6 -4:19:44",
"-4 - AST"
],
"America/St_Vincent": [
"-4:4:56 - LMT 1890 -4:4:56",
"-4:4:56 - KMT 1912 -4:4:56",
"-4 - AST"
],
"America/Swift_Current": [
"-7:11:20 - LMT 1905_8 -7:11:20",
"-7 Canada M%sT 1946_3_28_2 -7",
"-7 Regina M%sT 1950 -7",
"-7 Swift M%sT 1972_3_30_2 -7",
"-6 - CST"
],
"America/Tegucigalpa": [
"-5:48:52 - LMT 1921_3 -5:48:52",
"-6 Hond C%sT"
],
"America/Thule": [
"-4:35:8 - LMT 1916_6_28 -4:35:8",
"-4 Thule A%sT"
],
"America/Thunder_Bay": [
"-5:57 - LMT 1895 -5:57",
"-6 - CST 1910 -6",
"-5 - EST 1942 -5",
"-5 Canada E%sT 1970 -5",
"-5 Mont E%sT 1973 -5",
"-5 - EST 1974 -5",
"-5 Canada E%sT"
],
"America/Tijuana": [
"-7:48:4 - LMT 1922_0_1_0_11_56 -7:48:4",
"-7 - MST 1924 -7",
"-8 - PST 1927_5_10_23 -8",
"-7 - MST 1930_10_15 -7",
"-8 - PST 1931_3_1 -8",
"-7 - PDT 1931_8_30 -7",
"-8 - PST 1942_3_24 -8",
"-7 - PWT 1945_7_14_23",
"-7 - PPT 1945_10_12 -7",
"-8 - PST 1948_3_5 -8",
"-7 - PDT 1949_0_14 -7",
"-8 - PST 1954 -8",
"-8 CA P%sT 1961 -8",
"-8 - PST 1976 -8",
"-8 US P%sT 1996 -8",
"-8 Mexico P%sT 2001 -8",
"-8 US P%sT 2002_1_20 -8",
"-8 Mexico P%sT 2010 -8",
"-8 US P%sT"
],
"America/Toronto": [
"-5:17:32 - LMT 1895 -5:17:32",
"-5 Canada E%sT 1919 -5",
"-5 Toronto E%sT 1942_1_9_2 -5",
"-5 Canada E%sT 1946 -5",
"-5 Toronto E%sT 1974 -5",
"-5 Canada E%sT"
],
"America/Tortola": [
"-4:18:28 - LMT 1911_6 -4:18:28",
"-4 - AST"
],
"America/Vancouver": [
"-8:12:28 - LMT 1884 -8:12:28",
"-8 Vanc P%sT 1987 -8",
"-8 Canada P%sT"
],
"America/Whitehorse": [
"-9:0:12 - LMT 1900_7_20 -9:0:12",
"-9 NT_YK Y%sT 1966_6_1_2 -9",
"-8 NT_YK P%sT 1980 -8",
"-8 Canada P%sT"
],
"America/Winnipeg": [
"-6:28:36 - LMT 1887_6_16 -6:28:36",
"-6 Winn C%sT 2006 -6",
"-6 Canada C%sT"
],
"America/Yakutat": [
"14:41:5 - LMT 1867_9_18 14:41:5",
"-9:18:55 - LMT 1900_7_20_12 -9:18:55",
"-9 - YST 1942 -9",
"-9 US Y%sT 1946 -9",
"-9 - YST 1969 -9",
"-9 US Y%sT 1983_10_30 -9",
"-9 US AK%sT"
],
"America/Yellowknife": [
"0 - zzz 1935",
"-7 NT_YK M%sT 1980 -7",
"-7 Canada M%sT"
],
"Antarctica/Casey": [
"0 - zzz 1969",
"8 - WST 2009_9_18_2 8",
"11 - CAST 2010_2_5_2 11",
"8 - WST 2011_9_28_2 8",
"11 - CAST 2012_1_21_17",
"8 - WST"
],
"Antarctica/Davis": [
"0 - zzz 1957_0_13",
"7 - DAVT 1964_10 7",
"0 - zzz 1969_1",
"7 - DAVT 2009_9_18_2 7",
"5 - DAVT 2010_2_10_20",
"7 - DAVT 2011_9_28_2 7",
"5 - DAVT 2012_1_21_20",
"7 - DAVT"
],
"Antarctica/DumontDUrville": [
"0 - zzz 1947",
"10 - PMT 1952_0_14 10",
"0 - zzz 1956_10",
"10 - DDUT"
],
"Antarctica/Macquarie": [
"0 - zzz 1899_10",
"10 - EST 1916_9_1_2 10",
"11 - EST 1917_1 11",
"10 Aus EST 1919_3 10",
"0 - zzz 1948_2_25",
"10 Aus EST 1967 10",
"10 AT EST 2010_3_4_3 11",
"11 - MIST"
],
"Antarctica/Mawson": [
"0 - zzz 1954_1_13",
"6 - MAWT 2009_9_18_2 6",
"5 - MAWT"
],
"Antarctica/McMurdo": [
"0 - zzz 1956",
"12 NZAQ NZ%sT"
],
"Antarctica/Palmer": [
"0 - zzz 1965",
"-4 ArgAQ AR%sT 1969_9_5 -4",
"-3 ArgAQ AR%sT 1982_4 -3",
"-4 ChileAQ CL%sT"
],
"Antarctica/Rothera": [
"0 - zzz 1976_11_1",
"-3 - ROTT"
],
"Antarctica/Syowa": [
"0 - zzz 1957_0_29",
"3 - SYOT"
],
"Antarctica/Vostok": [
"0 - zzz 1957_11_16",
"6 - VOST"
],
"Europe/Oslo": [
"0:43 - LMT 1895_0_1 0:43",
"1 Norway CE%sT 1940_7_10_23 1",
"1 C-Eur CE%sT 1945_3_2_2 1",
"1 Norway CE%sT 1980 1",
"1 EU CE%sT"
],
"Asia/Aden": [
"2:59:54 - LMT 1950 2:59:54",
"3 - AST"
],
"Asia/Almaty": [
"5:7:48 - LMT 1924_4_2 5:7:48",
"5 - ALMT 1930_5_21 5",
"6 RussiaAsia ALM%sT 1991 6",
"6 - ALMT 1992 6",
"6 RussiaAsia ALM%sT 2005_2_15 6",
"6 - ALMT"
],
"Asia/Amman": [
"2:23:44 - LMT 1931 2:23:44",
"2 Jordan EE%sT"
],
"Asia/Anadyr": [
"11:49:56 - LMT 1924_4_2 11:49:56",
"12 - ANAT 1930_5_21 12",
"13 Russia ANA%sT 1982_3_1_0 13",
"12 Russia ANA%sT 1991_2_31_2 12",
"11 Russia ANA%sT 1992_0_19_2 11",
"12 Russia ANA%sT 2010_2_28_2 12",
"11 Russia ANA%sT 2011_2_27_2 11",
"12 - ANAT"
],
"Asia/Aqtau": [
"3:21:4 - LMT 1924_4_2 3:21:4",
"4 - FORT 1930_5_21 4",
"5 - FORT 1963 5",
"5 - SHET 1981_9_1 5",
"6 - SHET 1982_3_1 6",
"5 RussiaAsia SHE%sT 1991 5",
"5 - SHET 1991_11_16 5",
"5 RussiaAsia AQT%sT 1995_2_26_2 5",
"4 RussiaAsia AQT%sT 2005_2_15 4",
"5 - AQTT"
],
"Asia/Aqtobe": [
"3:48:40 - LMT 1924_4_2 3:48:40",
"4 - AKTT 1930_5_21 4",
"5 - AKTT 1981_3_1 5",
"6 - AKTST 1981_9_1 6",
"6 - AKTT 1982_3_1 6",
"5 RussiaAsia AKT%sT 1991 5",
"5 - AKTT 1991_11_16 5",
"5 RussiaAsia AQT%sT 2005_2_15 5",
"5 - AQTT"
],
"Asia/Ashgabat": [
"3:53:32 - LMT 1924_4_2 3:53:32",
"4 - ASHT 1930_5_21 4",
"5 RussiaAsia ASH%sT 1991_2_31_2 5",
"4 RussiaAsia ASH%sT 1991_9_27 4",
"4 RussiaAsia TM%sT 1992_0_19_2 4",
"5 - TMT"
],
"Asia/Baghdad": [
"2:57:40 - LMT 1890 2:57:40",
"2:57:36 - BMT 1918 2:57:36",
"3 - AST 1982_4 3",
"3 Iraq A%sT"
],
"Asia/Bahrain": [
"3:22:20 - LMT 1920 3:22:20",
"4 - GST 1972_5 4",
"3 - AST"
],
"Asia/Baku": [
"3:19:24 - LMT 1924_4_2 3:19:24",
"3 - BAKT 1957_2 3",
"4 RussiaAsia BAK%sT 1991_2_31_2 4",
"4 - BAKST 1991_7_30 4",
"3 RussiaAsia AZ%sT 1992_8_26_23 4",
"4 - AZT 1996 4",
"4 EUAsia AZ%sT 1997 4",
"4 Azer AZ%sT"
],
"Asia/Bangkok": [
"6:42:4 - LMT 1880 6:42:4",
"6:42:4 - BMT 1920_3 6:42:4",
"7 - ICT"
],
"Asia/Beirut": [
"2:22 - LMT 1880 2:22",
"2 Lebanon EE%sT"
],
"Asia/Bishkek": [
"4:58:24 - LMT 1924_4_2 4:58:24",
"5 - FRUT 1930_5_21 5",
"6 RussiaAsia FRU%sT 1991_2_31_2 6",
"6 - FRUST 1991_7_31_2 6",
"5 Kyrgyz KG%sT 2005_7_12 6",
"6 - KGT"
],
"Asia/Brunei": [
"7:39:40 - LMT 1926_2 7:39:40",
"7:30 - BNT 1933 7:30",
"8 - BNT"
],
"Asia/Choibalsan": [
"7:38 - LMT 1905_7 7:38",
"7 - ULAT 1978 7",
"8 - ULAT 1983_3 8",
"9 Mongol CHO%sT 2008_2_31 9",
"8 Mongol CHO%sT"
],
"Asia/Chongqing": [
"7:6:20 - LMT 1928 7:6:20",
"7 - LONT 1980_4 7",
"8 PRC C%sT"
],
"Asia/Colombo": [
"5:19:24 - LMT 1880 5:19:24",
"5:19:32 - MMT 1906 5:19:32",
"5:30 - IST 1942_0_5 5:30",
"6 - IHST 1942_8 6",
"6:30 - IST 1945_9_16_2 6:30",
"5:30 - IST 1996_4_25_0 5:30",
"6:30 - LKT 1996_9_26_0_30 6:30",
"6 - LKT 2006_3_15_0_30 6",
"5:30 - IST"
],
"Asia/Damascus": [
"2:25:12 - LMT 1920 2:25:12",
"2 Syria EE%sT"
],
"Asia/Dhaka": [
"6:1:40 - LMT 1890 6:1:40",
"5:53:20 - HMT 1941_9 5:53:20",
"6:30 - BURT 1942_4_15 6:30",
"5:30 - IST 1942_8 5:30",
"6:30 - BURT 1951_8_30 6:30",
"6 - DACT 1971_2_26 6",
"6 - BDT 2009 6",
"6 Dhaka BD%sT"
],
"Asia/Dili": [
"8:22:20 - LMT 1912 8:22:20",
"8 - TLT 1942_1_21_23 8",
"9 - JST 1945_8_23 9",
"9 - TLT 1976_4_3 9",
"8 - CIT 2000_8_17_00 8",
"9 - TLT"
],
"Asia/Dubai": [
"3:41:12 - LMT 1920 3:41:12",
"4 - GST"
],
"Asia/Dushanbe": [
"4:35:12 - LMT 1924_4_2 4:35:12",
"5 - DUST 1930_5_21 5",
"6 RussiaAsia DUS%sT 1991_2_31_2 6",
"6 - DUSST 1991_8_9_2 5",
"5 - TJT"
],
"Asia/Gaza": [
"2:17:52 - LMT 1900_9 2:17:52",
"2 Zion EET 1948_4_15 2",
"2 EgyptAsia EE%sT 1967_5_5 3",
"2 Zion I%sT 1996 2",
"2 Jordan EE%sT 1999 2",
"2 Palestine EE%sT 2008_7_29_0 3",
"2 - EET 2008_8 2",
"2 Palestine EE%sT 2010 2",
"2 - EET 2010_2_27_0_1 2",
"2 Palestine EE%sT 2011_7_1 3",
"2 - EET 2012 2",
"2 Palestine EE%sT"
],
"Asia/Harbin": [
"8:26:44 - LMT 1928 8:26:44",
"8:30 - CHAT 1932_2 8:30",
"8 - CST 1940 8",
"9 - CHAT 1966_4 9",
"8:30 - CHAT 1980_4 8:30",
"8 PRC C%sT"
],
"Asia/Hebron": [
"2:20:23 - LMT 1900_9 2:20:23",
"2 Zion EET 1948_4_15 2",
"2 EgyptAsia EE%sT 1967_5_5 3",
"2 Zion I%sT 1996 2",
"2 Jordan EE%sT 1999 2",
"2 Palestine EE%sT"
],
"Asia/Ho_Chi_Minh": [
"7:6:40 - LMT 1906_5_9 7:6:40",
"7:6:20 - SMT 1911_2_11_0_1 7:6:20",
"7 - ICT 1912_4 7",
"8 - ICT 1931_4 8",
"7 - ICT"
],
"Asia/Hong_Kong": [
"7:36:42 - LMT 1904_9_30 7:36:42",
"8 HK HK%sT 1941_11_25 8",
"9 - JST 1945_8_15 9",
"8 HK HK%sT"
],
"Asia/Hovd": [
"6:6:36 - LMT 1905_7 6:6:36",
"6 - HOVT 1978 6",
"7 Mongol HOV%sT"
],
"Asia/Irkutsk": [
"6:57:20 - LMT 1880 6:57:20",
"6:57:20 - IMT 1920_0_25 6:57:20",
"7 - IRKT 1930_5_21 7",
"8 Russia IRK%sT 1991_2_31_2 8",
"7 Russia IRK%sT 1992_0_19_2 7",
"8 Russia IRK%sT 2011_2_27_2 8",
"9 - IRKT"
],
"Asia/Jakarta": [
"7:7:12 - LMT 1867_7_10 7:7:12",
"7:7:12 - JMT 1923_11_31_23_47_12 7:7:12",
"7:20 - JAVT 1932_10 7:20",
"7:30 - WIT 1942_2_23 7:30",
"9 - JST 1945_8_23 9",
"7:30 - WIT 1948_4 7:30",
"8 - WIT 1950_4 8",
"7:30 - WIT 1964 7:30",
"7 - WIT"
],
"Asia/Jayapura": [
"9:22:48 - LMT 1932_10 9:22:48",
"9 - EIT 1944_8_1 9",
"9:30 - CST 1964 9:30",
"9 - EIT"
],
"Asia/Jerusalem": [
"2:20:56 - LMT 1880 2:20:56",
"2:20:40 - JMT 1918 2:20:40",
"2 Zion I%sT"
],
"Asia/Kabul": [
"4:36:48 - LMT 1890 4:36:48",
"4 - AFT 1945 4",
"4:30 - AFT"
],
"Asia/Kamchatka": [
"10:34:36 - LMT 1922_10_10 10:34:36",
"11 - PETT 1930_5_21 11",
"12 Russia PET%sT 1991_2_31_2 12",
"11 Russia PET%sT 1992_0_19_2 11",
"12 Russia PET%sT 2010_2_28_2 12",
"11 Russia PET%sT 2011_2_27_2 11",
"12 - PETT"
],
"Asia/Karachi": [
"4:28:12 - LMT 1907 4:28:12",
"5:30 - IST 1942_8 5:30",
"6:30 - IST 1945_9_15 6:30",
"5:30 - IST 1951_8_30 5:30",
"5 - KART 1971_2_26 5",
"5 Pakistan PK%sT"
],
"Asia/Kashgar": [
"5:3:56 - LMT 1928 5:3:56",
"5:30 - KAST 1940 5:30",
"5 - KAST 1980_4 5",
"8 PRC C%sT"
],
"Asia/Kathmandu": [
"5:41:16 - LMT 1920 5:41:16",
"5:30 - IST 1986 5:30",
"5:45 - NPT"
],
"Asia/Khandyga": [
"9:2:13 - LMT 1919_11_15 9:2:13",
"8 - YAKT 1930_5_21 8",
"9 Russia YAK%sT 1991_2_31_2 9",
"8 Russia YAK%sT 1992_0_19_2 8",
"9 Russia YAK%sT 2004 9",
"10 Russia VLA%sT 2011_2_27_2 10",
"11 - VLAT 2011_8_13_0 11",
"10 - YAKT"
],
"Asia/Kolkata": [
"5:53:28 - LMT 1880 5:53:28",
"5:53:20 - HMT 1941_9 5:53:20",
"6:30 - BURT 1942_4_15 6:30",
"5:30 - IST 1942_8 5:30",
"6:30 - IST 1945_9_15 6:30",
"5:30 - IST"
],
"Asia/Krasnoyarsk": [
"6:11:20 - LMT 1920_0_6 6:11:20",
"6 - KRAT 1930_5_21 6",
"7 Russia KRA%sT 1991_2_31_2 7",
"6 Russia KRA%sT 1992_0_19_2 6",
"7 Russia KRA%sT 2011_2_27_2 7",
"8 - KRAT"
],
"Asia/Kuala_Lumpur": [
"6:46:46 - LMT 1901_0_1 6:46:46",
"6:55:25 - SMT 1905_5_1 6:55:25",
"7 - MALT 1933_0_1 7",
"7:20 - MALST 1936_0_1 7:20",
"7:20 - MALT 1941_8_1 7:20",
"7:30 - MALT 1942_1_16 7:30",
"9 - JST 1945_8_12 9",
"7:30 - MALT 1982_0_1 7:30",
"8 - MYT"
],
"Asia/Kuching": [
"7:21:20 - LMT 1926_2 7:21:20",
"7:30 - BORT 1933 7:30",
"8 NBorneo BOR%sT 1942_1_16 8",
"9 - JST 1945_8_12 9",
"8 - BORT 1982_0_1 8",
"8 - MYT"
],
"Asia/Kuwait": [
"3:11:56 - LMT 1950 3:11:56",
"3 - AST"
],
"Asia/Macau": [
"7:34:20 - LMT 1912 7:34:20",
"8 Macau MO%sT 1999_11_20 8",
"8 PRC C%sT"
],
"Asia/Magadan": [
"10:3:12 - LMT 1924_4_2 10:3:12",
"10 - MAGT 1930_5_21 10",
"11 Russia MAG%sT 1991_2_31_2 11",
"10 Russia MAG%sT 1992_0_19_2 10",
"11 Russia MAG%sT 2011_2_27_2 11",
"12 - MAGT"
],
"Asia/Makassar": [
"7:57:36 - LMT 1920 7:57:36",
"7:57:36 - MMT 1932_10 7:57:36",
"8 - CIT 1942_1_9 8",
"9 - JST 1945_8_23 9",
"8 - CIT"
],
"Asia/Manila": [
"-15:56 - LMT 1844_11_31 -15:56",
"8:4 - LMT 1899_4_11 8:4",
"8 Phil PH%sT 1942_4 8",
"9 - JST 1944_10 9",
"8 Phil PH%sT"
],
"Asia/Muscat": [
"3:54:24 - LMT 1920 3:54:24",
"4 - GST"
],
"Asia/Nicosia": [
"2:13:28 - LMT 1921_10_14 2:13:28",
"2 Cyprus EE%sT 1998_8 3",
"2 EUAsia EE%sT"
],
"Asia/Novokuznetsk": [
"5:48:48 - NMT 1920_0_6 5:48:48",
"6 - KRAT 1930_5_21 6",
"7 Russia KRA%sT 1991_2_31_2 7",
"6 Russia KRA%sT 1992_0_19_2 6",
"7 Russia KRA%sT 2010_2_28_2 7",
"6 Russia NOV%sT 2011_2_27_2 6",
"7 - NOVT"
],
"Asia/Novosibirsk": [
"5:31:40 - LMT 1919_11_14_6 5:31:40",
"6 - NOVT 1930_5_21 6",
"7 Russia NOV%sT 1991_2_31_2 7",
"6 Russia NOV%sT 1992_0_19_2 6",
"7 Russia NOV%sT 1993_4_23 8",
"6 Russia NOV%sT 2011_2_27_2 6",
"7 - NOVT"
],
"Asia/Omsk": [
"4:53:36 - LMT 1919_10_14 4:53:36",
"5 - OMST 1930_5_21 5",
"6 Russia OMS%sT 1991_2_31_2 6",
"5 Russia OMS%sT 1992_0_19_2 5",
"6 Russia OMS%sT 2011_2_27_2 6",
"7 - OMST"
],
"Asia/Oral": [
"3:25:24 - LMT 1924_4_2 3:25:24",
"4 - URAT 1930_5_21 4",
"5 - URAT 1981_3_1 5",
"6 - URAST 1981_9_1 6",
"6 - URAT 1982_3_1 6",
"5 RussiaAsia URA%sT 1989_2_26_2 5",
"4 RussiaAsia URA%sT 1991 4",
"4 - URAT 1991_11_16 4",
"4 RussiaAsia ORA%sT 2005_2_15 4",
"5 - ORAT"
],
"Asia/Phnom_Penh": [
"6:59:40 - LMT 1906_5_9 6:59:40",
"7:6:20 - SMT 1911_2_11_0_1 7:6:20",
"7 - ICT 1912_4 7",
"8 - ICT 1931_4 8",
"7 - ICT"
],
"Asia/Pontianak": [
"7:17:20 - LMT 1908_4 7:17:20",
"7:17:20 - PMT 1932_10 7:17:20",
"7:30 - WIT 1942_0_29 7:30",
"9 - JST 1945_8_23 9",
"7:30 - WIT 1948_4 7:30",
"8 - WIT 1950_4 8",
"7:30 - WIT 1964 7:30",
"8 - CIT 1988_0_1 8",
"7 - WIT"
],
"Asia/Pyongyang": [
"8:23 - LMT 1890 8:23",
"8:30 - KST 1904_11 8:30",
"9 - KST 1928 9",
"8:30 - KST 1932 8:30",
"9 - KST 1954_2_21 9",
"8 - KST 1961_7_10 8",
"9 - KST"
],
"Asia/Qatar": [
"3:26:8 - LMT 1920 3:26:8",
"4 - GST 1972_5 4",
"3 - AST"
],
"Asia/Qyzylorda": [
"4:21:52 - LMT 1924_4_2 4:21:52",
"4 - KIZT 1930_5_21 4",
"5 - KIZT 1981_3_1 5",
"6 - KIZST 1981_9_1 6",
"6 - KIZT 1982_3_1 6",
"5 RussiaAsia KIZ%sT 1991 5",
"5 - KIZT 1991_11_16 5",
"5 - QYZT 1992_0_19_2 5",
"6 RussiaAsia QYZ%sT 2005_2_15 6",
"6 - QYZT"
],
"Asia/Rangoon": [
"6:24:40 - LMT 1880 6:24:40",
"6:24:40 - RMT 1920 6:24:40",
"6:30 - BURT 1942_4 6:30",
"9 - JST 1945_4_3 9",
"6:30 - MMT"
],
"Asia/Riyadh": [
"3:6:52 - LMT 1950 3:6:52",
"3 - AST"
],
"Asia/Sakhalin": [
"9:30:48 - LMT 1905_7_23 9:30:48",
"9 - CJT 1938 9",
"9 - JST 1945_7_25 9",
"11 Russia SAK%sT 1991_2_31_2 11",
"10 Russia SAK%sT 1992_0_19_2 10",
"11 Russia SAK%sT 1997_2_30_2 11",
"10 Russia SAK%sT 2011_2_27_2 10",
"11 - SAKT"
],
"Asia/Samarkand": [
"4:27:12 - LMT 1924_4_2 4:27:12",
"4 - SAMT 1930_5_21 4",
"5 - SAMT 1981_3_1 5",
"6 - SAMST 1981_9_1 6",
"6 - TAST 1982_3_1 6",
"5 RussiaAsia SAM%sT 1991_8_1 6",
"5 RussiaAsia UZ%sT 1992 5",
"5 - UZT"
],
"Asia/Seoul": [
"8:27:52 - LMT 1890 8:27:52",
"8:30 - KST 1904_11 8:30",
"9 - KST 1928 9",
"8:30 - KST 1932 8:30",
"9 - KST 1954_2_21 9",
"8 ROK K%sT 1961_7_10 8",
"8:30 - KST 1968_9 8:30",
"9 ROK K%sT"
],
"Asia/Shanghai": [
"8:5:57 - LMT 1928 8:5:57",
"8 Shang C%sT 1949 8",
"8 PRC C%sT"
],
"Asia/Singapore": [
"6:55:25 - LMT 1901_0_1 6:55:25",
"6:55:25 - SMT 1905_5_1 6:55:25",
"7 - MALT 1933_0_1 7",
"7:20 - MALST 1936_0_1 7:20",
"7:20 - MALT 1941_8_1 7:20",
"7:30 - MALT 1942_1_16 7:30",
"9 - JST 1945_8_12 9",
"7:30 - MALT 1965_7_9 7:30",
"7:30 - SGT 1982_0_1 7:30",
"8 - SGT"
],
"Asia/Taipei": [
"8:6 - LMT 1896 8:6",
"8 Taiwan C%sT"
],
"Asia/Tashkent": [
"4:37:12 - LMT 1924_4_2 4:37:12",
"5 - TAST 1930_5_21 5",
"6 RussiaAsia TAS%sT 1991_2_31_2 6",
"5 RussiaAsia TAS%sT 1991_8_1 6",
"5 RussiaAsia UZ%sT 1992 5",
"5 - UZT"
],
"Asia/Tbilisi": [
"2:59:16 - LMT 1880 2:59:16",
"2:59:16 - TBMT 1924_4_2 2:59:16",
"3 - TBIT 1957_2 3",
"4 RussiaAsia TBI%sT 1991_2_31_2 4",
"4 - TBIST 1991_3_9 4",
"3 RussiaAsia GE%sT 1992 3",
"3 E-EurAsia GE%sT 1994_8_25 4",
"4 E-EurAsia GE%sT 1996_9_27 5",
"5 - GEST 1997_2_30 5",
"4 E-EurAsia GE%sT 2004_5_27 5",
"3 RussiaAsia GE%sT 2005_2_27_2 3",
"4 - GET"
],
"Asia/Tehran": [
"3:25:44 - LMT 1916 3:25:44",
"3:25:44 - TMT 1946 3:25:44",
"3:30 - IRST 1977_10 3:30",
"4 Iran IR%sT 1979 4",
"3:30 Iran IR%sT"
],
"Asia/Thimphu": [
"5:58:36 - LMT 1947_7_15 5:58:36",
"5:30 - IST 1987_9 5:30",
"6 - BTT"
],
"Asia/Tokyo": [
"9:18:59 - LMT 1887_11_31_15",
"9 - JST 1896 9",
"9 - CJT 1938 9",
"9 Japan J%sT"
],
"Asia/Ulaanbaatar": [
"7:7:32 - LMT 1905_7 7:7:32",
"7 - ULAT 1978 7",
"8 Mongol ULA%sT"
],
"Asia/Urumqi": [
"5:50:20 - LMT 1928 5:50:20",
"6 - URUT 1980_4 6",
"8 PRC C%sT"
],
"Asia/Ust-Nera": [
"9:32:54 - LMT 1919_11_15 9:32:54",
"8 - YAKT 1930_5_21 8",
"9 Russia YAKT 1981_3_1 9",
"11 Russia MAG%sT 1991_2_31_2 11",
"10 Russia MAG%sT 1992_0_19_2 10",
"11 Russia MAG%sT 2011_2_27_2 11",
"12 - MAGT 2011_8_13_0 12",
"11 - VLAT"
],
"Asia/Vientiane": [
"6:50:24 - LMT 1906_5_9 6:50:24",
"7:6:20 - SMT 1911_2_11_0_1 7:6:20",
"7 - ICT 1912_4 7",
"8 - ICT 1931_4 8",
"7 - ICT"
],
"Asia/Vladivostok": [
"8:47:44 - LMT 1922_10_15 8:47:44",
"9 - VLAT 1930_5_21 9",
"10 Russia VLA%sT 1991_2_31_2 10",
"9 Russia VLA%sST 1992_0_19_2 9",
"10 Russia VLA%sT 2011_2_27_2 10",
"11 - VLAT"
],
"Asia/Yakutsk": [
"8:38:40 - LMT 1919_11_15 8:38:40",
"8 - YAKT 1930_5_21 8",
"9 Russia YAK%sT 1991_2_31_2 9",
"8 Russia YAK%sT 1992_0_19_2 8",
"9 Russia YAK%sT 2011_2_27_2 9",
"10 - YAKT"
],
"Asia/Yekaterinburg": [
"4:2:24 - LMT 1919_6_15_4 4:2:24",
"4 - SVET 1930_5_21 4",
"5 Russia SVE%sT 1991_2_31_2 5",
"4 Russia SVE%sT 1992_0_19_2 4",
"5 Russia YEK%sT 2011_2_27_2 5",
"6 - YEKT"
],
"Asia/Yerevan": [
"2:58 - LMT 1924_4_2 2:58",
"3 - YERT 1957_2 3",
"4 RussiaAsia YER%sT 1991_2_31_2 4",
"4 - YERST 1991_8_23 4",
"3 RussiaAsia AM%sT 1995_8_24_2 3",
"4 - AMT 1997 4",
"4 RussiaAsia AM%sT 2012_2_25_2 4",
"4 - AMT"
],
"Atlantic/Azores": [
"-1:42:40 - LMT 1884 -1:42:40",
"-1:54:32 - HMT 1911_4_24 -1:54:32",
"-2 Port AZO%sT 1966_3_3_2 -2",
"-1 Port AZO%sT 1983_8_25_1 -1",
"-1 W-Eur AZO%sT 1992_8_27_1 -1",
"0 EU WE%sT 1993_2_28_1",
"-1 EU AZO%sT"
],
"Atlantic/Bermuda": [
"-4:19:18 - LMT 1930_0_1_2 -4:19:18",
"-4 - AST 1974_3_28_2 -4",
"-4 Bahamas A%sT 1976 -4",
"-4 US A%sT"
],
"Atlantic/Canary": [
"-1:1:36 - LMT 1922_2 -1:1:36",
"-1 - CANT 1946_8_30_1 -1",
"0 - WET 1980_3_6_0",
"1 - WEST 1980_8_28_0",
"0 EU WE%sT"
],
"Atlantic/Cape_Verde": [
"-1:34:4 - LMT 1907 -1:34:4",
"-2 - CVT 1942_8 -2",
"-1 - CVST 1945_9_15 -1",
"-2 - CVT 1975_10_25_2 -2",
"-1 - CVT"
],
"Atlantic/Faroe": [
"-0:27:4 - LMT 1908_0_11 -0:27:4",
"0 - WET 1981",
"0 EU WE%sT"
],
"Atlantic/Madeira": [
"-1:7:36 - LMT 1884 -1:7:36",
"-1:7:36 - FMT 1911_4_24 -1:7:36",
"-1 Port MAD%sT 1966_3_3_2 -1",
"0 Port WE%sT 1983_8_25_1",
"0 EU WE%sT"
],
"Atlantic/Reykjavik": [
"-1:27:24 - LMT 1837 -1:27:24",
"-1:27:48 - RMT 1908 -1:27:48",
"-1 Iceland IS%sT 1968_3_7_1 -1",
"0 - GMT"
],
"Atlantic/South_Georgia": [
"-2:26:8 - LMT 1890 -2:26:8",
"-2 - GST"
],
"Atlantic/St_Helena": [
"-0:22:48 - LMT 1890 -0:22:48",
"-0:22:48 - JMT 1951 -0:22:48",
"0 - GMT"
],
"Atlantic/Stanley": [
"-3:51:24 - LMT 1890 -3:51:24",
"-3:51:24 - SMT 1912_2_12 -3:51:24",
"-4 Falk FK%sT 1983_4 -4",
"-3 Falk FK%sT 1985_8_15 -3",
"-4 Falk FK%sT 2010_8_5_02 -4",
"-3 - FKST"
],
"Australia/Adelaide": [
"9:14:20 - LMT 1895_1 9:14:20",
"9 - CST 1899_4 9",
"9:30 Aus CST 1971 9:30",
"9:30 AS CST"
],
"Australia/Brisbane": [
"10:12:8 - LMT 1895 10:12:8",
"10 Aus EST 1971 10",
"10 AQ EST"
],
"Australia/Broken_Hill": [
"9:25:48 - LMT 1895_1 9:25:48",
"10 - EST 1896_7_23 10",
"9 - CST 1899_4 9",
"9:30 Aus CST 1971 9:30",
"9:30 AN CST 2000 10:30",
"9:30 AS CST"
],
"Australia/Currie": [
"9:35:28 - LMT 1895_8 9:35:28",
"10 - EST 1916_9_1_2 10",
"11 - EST 1917_1 11",
"10 Aus EST 1971_6 10",
"10 AT EST"
],
"Australia/Darwin": [
"8:43:20 - LMT 1895_1 8:43:20",
"9 - CST 1899_4 9",
"9:30 Aus CST"
],
"Australia/Eucla": [
"8:35:28 - LMT 1895_11 8:35:28",
"8:45 Aus CWST 1943_6 8:45",
"8:45 AW CWST"
],
"Australia/Hobart": [
"9:49:16 - LMT 1895_8 9:49:16",
"10 - EST 1916_9_1_2 10",
"11 - EST 1917_1 11",
"10 Aus EST 1967 10",
"10 AT EST"
],
"Australia/Lindeman": [
"9:55:56 - LMT 1895 9:55:56",
"10 Aus EST 1971 10",
"10 AQ EST 1992_6 10",
"10 Holiday EST"
],
"Australia/Lord_Howe": [
"10:36:20 - LMT 1895_1 10:36:20",
"10 - EST 1981_2 10",
"10:30 LH LHST"
],
"Australia/Melbourne": [
"9:39:52 - LMT 1895_1 9:39:52",
"10 Aus EST 1971 10",
"10 AV EST"
],
"Australia/Perth": [
"7:43:24 - LMT 1895_11 7:43:24",
"8 Aus WST 1943_6 8",
"8 AW WST"
],
"Australia/Sydney": [
"10:4:52 - LMT 1895_1 10:4:52",
"10 Aus EST 1971 10",
"10 AN EST"
],
"CET": [
"1 C-Eur CE%sT"
],
"CST6CDT": [
"-6 US C%sT"
],
"EET": [
"2 EU EE%sT"
],
"EST": [
"-5 - EST"
],
"EST5EDT": [
"-5 US E%sT"
],
"HST": [
"-10 - HST"
],
"MET": [
"1 C-Eur ME%sT"
],
"MST": [
"-7 - MST"
],
"MST7MDT": [
"-7 US M%sT"
],
"PST8PDT": [
"-8 US P%sT"
],
"WET": [
"0 EU WE%sT"
],
"Europe/Amsterdam": [
"0:19:32 - LMT 1835 0:19:32",
"0:19:32 Neth %s 1937_6_1 1:19:32",
"0:20 Neth NE%sT 1940_4_16_0 0:20",
"1 C-Eur CE%sT 1945_3_2_2 1",
"1 Neth CE%sT 1977 1",
"1 EU CE%sT"
],
"Europe/Andorra": [
"0:6:4 - LMT 1901 0:6:4",
"0 - WET 1946_8_30",
"1 - CET 1985_2_31_2 1",
"1 EU CE%sT"
],
"Europe/Athens": [
"1:34:52 - LMT 1895_8_14 1:34:52",
"1:34:52 - AMT 1916_6_28_0_1 1:34:52",
"2 Greece EE%sT 1941_3_30 3",
"1 Greece CE%sT 1944_3_4 1",
"2 Greece EE%sT 1981 2",
"2 EU EE%sT"
],
"Europe/Belgrade": [
"1:22 - LMT 1884 1:22",
"1 - CET 1941_3_18_23 1",
"1 C-Eur CE%sT 1945 1",
"1 - CET 1945_4_8_2 1",
"2 - CEST 1945_8_16_2 1",
"1 - CET 1982_10_27 1",
"1 EU CE%sT"
],
"Europe/Berlin": [
"0:53:28 - LMT 1893_3 0:53:28",
"1 C-Eur CE%sT 1945_4_24_2 2",
"1 SovietZone CE%sT 1946 1",
"1 Germany CE%sT 1980 1",
"1 EU CE%sT"
],
"Europe/Prague": [
"0:57:44 - LMT 1850 0:57:44",
"0:57:44 - PMT 1891_9 0:57:44",
"1 C-Eur CE%sT 1944_8_17_2 1",
"1 Czech CE%sT 1979 1",
"1 EU CE%sT"
],
"Europe/Brussels": [
"0:17:30 - LMT 1880 0:17:30",
"0:17:30 - BMT 1892_4_1_12 0:17:30",
"0 - WET 1914_10_8",
"1 - CET 1916_4_1_0 1",
"1 C-Eur CE%sT 1918_10_11_11",
"0 Belgium WE%sT 1940_4_20_2",
"1 C-Eur CE%sT 1944_8_3 2",
"1 Belgium CE%sT 1977 1",
"1 EU CE%sT"
],
"Europe/Bucharest": [
"1:44:24 - LMT 1891_9 1:44:24",
"1:44:24 - BMT 1931_6_24 1:44:24",
"2 Romania EE%sT 1981_2_29_2 2",
"2 C-Eur EE%sT 1991 2",
"2 Romania EE%sT 1994 2",
"2 E-Eur EE%sT 1997 2",
"2 EU EE%sT"
],
"Europe/Budapest": [
"1:16:20 - LMT 1890_9 1:16:20",
"1 C-Eur CE%sT 1918 1",
"1 Hungary CE%sT 1941_3_6_2 1",
"1 C-Eur CE%sT 1945 1",
"1 Hungary CE%sT 1980_8_28_2 1",
"1 EU CE%sT"
],
"Europe/Zurich": [
"0:34:8 - LMT 1848_8_12 0:34:8",
"0:29:44 - BMT 1894_5 0:29:44",
"1 Swiss CE%sT 1981 1",
"1 EU CE%sT"
],
"Europe/Chisinau": [
"1:55:20 - LMT 1880 1:55:20",
"1:55 - CMT 1918_1_15 1:55",
"1:44:24 - BMT 1931_6_24 1:44:24",
"2 Romania EE%sT 1940_7_15 2",
"3 - EEST 1941_6_17 3",
"1 C-Eur CE%sT 1944_7_24 2",
"3 Russia MSK/MSD 1990 3",
"3 - MSK 1990_4_6 3",
"2 - EET 1991 2",
"2 Russia EE%sT 1992 2",
"2 E-Eur EE%sT 1997 2",
"2 EU EE%sT"
],
"Europe/Copenhagen": [
"0:50:20 - LMT 1890 0:50:20",
"0:50:20 - CMT 1894_0_1 0:50:20",
"1 Denmark CE%sT 1942_10_2_2 1",
"1 C-Eur CE%sT 1945_3_2_2 1",
"1 Denmark CE%sT 1980 1",
"1 EU CE%sT"
],
"Europe/Dublin": [
"-0:25 - LMT 1880_7_2 -0:25",
"-0:25:21 - DMT 1916_4_21_2 -0:25:21",
"0:34:39 - IST 1916_9_1_2 -0:25:21",
"0 GB-Eire %s 1921_11_6",
"0 GB-Eire GMT/IST 1940_1_25_2",
"1 - IST 1946_9_6_2 1",
"0 - GMT 1947_2_16_2",
"1 - IST 1947_10_2_2 1",
"0 - GMT 1948_3_18_2",
"0 GB-Eire GMT/IST 1968_9_27 1",
"1 - IST 1971_9_31_2",
"0 GB-Eire GMT/IST 1996",
"0 EU GMT/IST"
],
"Europe/Gibraltar": [
"-0:21:24 - LMT 1880_7_2_0 -0:21:24",
"0 GB-Eire %s 1957_3_14_2",
"1 - CET 1982 1",
"1 EU CE%sT"
],
"Europe/London": [
"-0:1:15 - LMT 1847_11_1_0 -0:1:15",
"0 GB-Eire %s 1968_9_27 1",
"1 - BST 1971_9_31_2",
"0 GB-Eire %s 1996",
"0 EU GMT/BST"
],
"Europe/Helsinki": [
"1:39:52 - LMT 1878_4_31 1:39:52",
"1:39:52 - HMT 1921_4 1:39:52",
"2 Finland EE%sT 1983 2",
"2 EU EE%sT"
],
"Europe/Istanbul": [
"1:55:52 - LMT 1880 1:55:52",
"1:56:56 - IMT 1910_9 1:56:56",
"2 Turkey EE%sT 1978_9_15 3",
"3 Turkey TR%sT 1985_3_20 3",
"2 Turkey EE%sT 2007 2",
"2 EU EE%sT 2011_2_27_1",
"2 - EET 2011_2_28_1",
"2 EU EE%sT"
],
"Europe/Kaliningrad": [
"1:22 - LMT 1893_3 1:22",
"1 C-Eur CE%sT 1945 1",
"2 Poland CE%sT 1946 2",
"3 Russia MSK/MSD 1991_2_31_2 3",
"2 Russia EE%sT 2011_2_27_2 2",
"3 - FET"
],
"Europe/Kiev": [
"2:2:4 - LMT 1880 2:2:4",
"2:2:4 - KMT 1924_4_2 2:2:4",
"2 - EET 1930_5_21 2",
"3 - MSK 1941_8_20 3",
"1 C-Eur CE%sT 1943_10_6 1",
"3 Russia MSK/MSD 1990 3",
"3 - MSK 1990_6_1_2 3",
"2 - EET 1992 2",
"2 E-Eur EE%sT 1995 2",
"2 EU EE%sT"
],
"Europe/Lisbon": [
"-0:36:32 - LMT 1884 -0:36:32",
"-0:36:32 - LMT 1912_0_1 -0:36:32",
"0 Port WE%sT 1966_3_3_2",
"1 - CET 1976_8_26_1 1",
"0 Port WE%sT 1983_8_25_1",
"0 W-Eur WE%sT 1992_8_27_1",
"1 EU CE%sT 1996_2_31_1",
"0 EU WE%sT"
],
"Europe/Luxembourg": [
"0:24:36 - LMT 1904_5 0:24:36",
"1 Lux CE%sT 1918_10_25 1",
"0 Lux WE%sT 1929_9_6_2",
"0 Belgium WE%sT 1940_4_14_3 1",
"1 C-Eur WE%sT 1944_8_18_3 2",
"1 Belgium CE%sT 1977 1",
"1 EU CE%sT"
],
"Europe/Madrid": [
"-0:14:44 - LMT 1901_0_1_0 -0:14:44",
"0 Spain WE%sT 1946_8_30 2",
"1 Spain CE%sT 1979 1",
"1 EU CE%sT"
],
"Europe/Malta": [
"0:58:4 - LMT 1893_10_2_0 0:58:4",
"1 Italy CE%sT 1942_10_2_2 1",
"1 C-Eur CE%sT 1945_3_2_2 1",
"1 Italy CE%sT 1973_2_31 1",
"1 Malta CE%sT 1981 1",
"1 EU CE%sT"
],
"Europe/Minsk": [
"1:50:16 - LMT 1880 1:50:16",
"1:50 - MMT 1924_4_2 1:50",
"2 - EET 1930_5_21 2",
"3 - MSK 1941_5_28 3",
"1 C-Eur CE%sT 1944_6_3 2",
"3 Russia MSK/MSD 1990 3",
"3 - MSK 1991_2_31_2 3",
"3 - EEST 1991_8_29_2 2",
"2 - EET 1992_2_29_0 2",
"3 - EEST 1992_8_27_0 2",
"2 Russia EE%sT 2011_2_27_2 2",
"3 - FET"
],
"Europe/Monaco": [
"0:29:32 - LMT 1891_2_15 0:29:32",
"0:9:21 - PMT 1911_2_11 0:9:21",
"0 France WE%sT 1945_8_16_3 2",
"1 France CE%sT 1977 1",
"1 EU CE%sT"
],
"Europe/Moscow": [
"2:30:20 - LMT 1880 2:30:20",
"2:30 - MMT 1916_6_3 2:30",
"2:30:48 Russia %s 1919_6_1_2 4:30:48",
"3 Russia MSK/MSD 1922_9 3",
"2 - EET 1930_5_21 2",
"3 Russia MSK/MSD 1991_2_31_2 3",
"2 Russia EE%sT 1992_0_19_2 2",
"3 Russia MSK/MSD 2011_2_27_2 3",
"4 - MSK"
],
"Europe/Paris": [
"0:9:21 - LMT 1891_2_15_0_1 0:9:21",
"0:9:21 - PMT 1911_2_11_0_1 0:9:21",
"0 France WE%sT 1940_5_14_23 1",
"1 C-Eur CE%sT 1944_7_25 2",
"0 France WE%sT 1945_8_16_3 2",
"1 France CE%sT 1977 1",
"1 EU CE%sT"
],
"Europe/Riga": [
"1:36:24 - LMT 1880 1:36:24",
"1:36:24 - RMT 1918_3_15_2 1:36:24",
"2:36:24 - LST 1918_8_16_3 2:36:24",
"1:36:24 - RMT 1919_3_1_2 1:36:24",
"2:36:24 - LST 1919_4_22_3 2:36:24",
"1:36:24 - RMT 1926_4_11 1:36:24",
"2 - EET 1940_7_5 2",
"3 - MSK 1941_6 3",
"1 C-Eur CE%sT 1944_9_13 1",
"3 Russia MSK/MSD 1989_2_26_2 3",
"3 - EEST 1989_8_24_2 2",
"2 Latvia EE%sT 1997_0_21 2",
"2 EU EE%sT 2000_1_29 2",
"2 - EET 2001_0_2 2",
"2 EU EE%sT"
],
"Europe/Rome": [
"0:49:56 - LMT 1866_8_22 0:49:56",
"0:49:56 - RMT 1893_10_1_0 0:49:56",
"1 Italy CE%sT 1942_10_2_2 1",
"1 C-Eur CE%sT 1944_6 2",
"1 Italy CE%sT 1980 1",
"1 EU CE%sT"
],
"Europe/Samara": [
"3:20:36 - LMT 1919_6_1_2 3:20:36",
"3 - SAMT 1930_5_21 3",
"4 - SAMT 1935_0_27 4",
"4 Russia KUY%sT 1989_2_26_2 4",
"3 Russia KUY%sT 1991_2_31_2 3",
"2 Russia KUY%sT 1991_8_29_2 2",
"3 - KUYT 1991_9_20_3 3",
"4 Russia SAM%sT 2010_2_28_2 4",
"3 Russia SAM%sT 2011_2_27_2 3",
"4 - SAMT"
],
"Europe/Simferopol": [
"2:16:24 - LMT 1880 2:16:24",
"2:16 - SMT 1924_4_2 2:16",
"2 - EET 1930_5_21 2",
"3 - MSK 1941_10 3",
"1 C-Eur CE%sT 1944_3_13 2",
"3 Russia MSK/MSD 1990 3",
"3 - MSK 1990_6_1_2 3",
"2 - EET 1992 2",
"2 E-Eur EE%sT 1994_4 3",
"3 E-Eur MSK/MSD 1996_2_31_3 3",
"4 - MSD 1996_9_27_3 3",
"3 Russia MSK/MSD 1997 3",
"3 - MSK 1997_2_30_1",
"2 EU EE%sT"
],
"Europe/Sofia": [
"1:33:16 - LMT 1880 1:33:16",
"1:56:56 - IMT 1894_10_30 1:56:56",
"2 - EET 1942_10_2_3 2",
"1 C-Eur CE%sT 1945 1",
"1 - CET 1945_3_2_3 1",
"2 - EET 1979_2_31_23 2",
"2 Bulg EE%sT 1982_8_26_2 3",
"2 C-Eur EE%sT 1991 2",
"2 E-Eur EE%sT 1997 2",
"2 EU EE%sT"
],
"Europe/Stockholm": [
"1:12:12 - LMT 1879_0_1 1:12:12",
"1:0:14 - SET 1900_0_1 1:0:14",
"1 - CET 1916_4_14_23 1",
"2 - CEST 1916_9_1_01 2",
"1 - CET 1980 1",
"1 EU CE%sT"
],
"Europe/Tallinn": [
"1:39 - LMT 1880 1:39",
"1:39 - TMT 1918_1 1:39",
"1 C-Eur CE%sT 1919_6 1",
"1:39 - TMT 1921_4 1:39",
"2 - EET 1940_7_6 2",
"3 - MSK 1941_8_15 3",
"1 C-Eur CE%sT 1944_8_22 2",
"3 Russia MSK/MSD 1989_2_26_2 3",
"3 - EEST 1989_8_24_2 2",
"2 C-Eur EE%sT 1998_8_22 3",
"2 EU EE%sT 1999_10_1 3",
"2 - EET 2002_1_21 2",
"2 EU EE%sT"
],
"Europe/Tirane": [
"1:19:20 - LMT 1914 1:19:20",
"1 - CET 1940_5_16 1",
"1 Albania CE%sT 1984_6 2",
"1 EU CE%sT"
],
"Europe/Uzhgorod": [
"1:29:12 - LMT 1890_9 1:29:12",
"1 - CET 1940 1",
"1 C-Eur CE%sT 1944_9 2",
"2 - CEST 1944_9_26 2",
"1 - CET 1945_5_29 1",
"3 Russia MSK/MSD 1990 3",
"3 - MSK 1990_6_1_2 3",
"1 - CET 1991_2_31_3 1",
"2 - EET 1992 2",
"2 E-Eur EE%sT 1995 2",
"2 EU EE%sT"
],
"Europe/Vaduz": [
"0:38:4 - LMT 1894_5 0:38:4",
"1 - CET 1981 1",
"1 EU CE%sT"
],
"Europe/Vienna": [
"1:5:21 - LMT 1893_3 1:5:21",
"1 C-Eur CE%sT 1920 1",
"1 Austria CE%sT 1940_3_1_2 1",
"1 C-Eur CE%sT 1945_3_2_2 1",
"2 - CEST 1945_3_12_2 1",
"1 - CET 1946 1",
"1 Austria CE%sT 1981 1",
"1 EU CE%sT"
],
"Europe/Vilnius": [
"1:41:16 - LMT 1880 1:41:16",
"1:24 - WMT 1917 1:24",
"1:35:36 - KMT 1919_9_10 1:35:36",
"1 - CET 1920_6_12 1",
"2 - EET 1920_9_9 2",
"1 - CET 1940_7_3 1",
"3 - MSK 1941_5_24 3",
"1 C-Eur CE%sT 1944_7 2",
"3 Russia MSK/MSD 1991_2_31_2 3",
"3 - EEST 1991_8_29_2 2",
"2 C-Eur EE%sT 1998 2",
"2 - EET 1998_2_29_1",
"1 EU CE%sT 1999_9_31_1",
"2 - EET 2003_0_1 2",
"2 EU EE%sT"
],
"Europe/Volgograd": [
"2:57:40 - LMT 1920_0_3 2:57:40",
"3 - TSAT 1925_3_6 3",
"3 - STAT 1930_5_21 3",
"4 - STAT 1961_10_11 4",
"4 Russia VOL%sT 1989_2_26_2 4",
"3 Russia VOL%sT 1991_2_31_2 3",
"4 - VOLT 1992_2_29_2 4",
"3 Russia VOL%sT 2011_2_27_2 3",
"4 - VOLT"
],
"Europe/Warsaw": [
"1:24 - LMT 1880 1:24",
"1:24 - WMT 1915_7_5 1:24",
"1 C-Eur CE%sT 1918_8_16_3 2",
"2 Poland EE%sT 1922_5 2",
"1 Poland CE%sT 1940_5_23_2 1",
"1 C-Eur CE%sT 1944_9 2",
"1 Poland CE%sT 1977 1",
"1 W-Eur CE%sT 1988 1",
"1 EU CE%sT"
],
"Europe/Zaporozhye": [
"2:20:40 - LMT 1880 2:20:40",
"2:20 - CUT 1924_4_2 2:20",
"2 - EET 1930_5_21 2",
"3 - MSK 1941_7_25 3",
"1 C-Eur CE%sT 1943_9_25 1",
"3 Russia MSK/MSD 1991_2_31_2 3",
"2 E-Eur EE%sT 1995 2",
"2 EU EE%sT"
],
"Indian/Antananarivo": [
"3:10:4 - LMT 1911_6 3:10:4",
"3 - EAT 1954_1_27_23 3",
"4 - EAST 1954_4_29_23 3",
"3 - EAT"
],
"Indian/Chagos": [
"4:49:40 - LMT 1907 4:49:40",
"5 - IOT 1996 5",
"6 - IOT"
],
"Indian/Christmas": [
"7:2:52 - LMT 1895_1 7:2:52",
"7 - CXT"
],
"Indian/Cocos": [
"6:27:40 - LMT 1900 6:27:40",
"6:30 - CCT"
],
"Indian/Comoro": [
"2:53:4 - LMT 1911_6 2:53:4",
"3 - EAT"
],
"Indian/Kerguelen": [
"0 - zzz 1950",
"5 - TFT"
],
"Indian/Mahe": [
"3:41:48 - LMT 1906_5 3:41:48",
"4 - SCT"
],
"Indian/Maldives": [
"4:54 - LMT 1880 4:54",
"4:54 - MMT 1960 4:54",
"5 - MVT"
],
"Indian/Mauritius": [
"3:50 - LMT 1907 3:50",
"4 Mauritius MU%sT"
],
"Indian/Mayotte": [
"3:0:56 - LMT 1911_6 3:0:56",
"3 - EAT"
],
"Indian/Reunion": [
"3:41:52 - LMT 1911_5 3:41:52",
"4 - RET"
],
"Pacific/Apia": [
"12:33:4 - LMT 1879_6_5 12:33:4",
"-11:26:56 - LMT 1911 -11:26:56",
"-11:30 - SAMT 1950 -11:30",
"-11 - WST 2010_8_26 -11",
"-10 - WSDT 2011_3_2_4 -10",
"-11 - WST 2011_8_24_3 -11",
"-10 - WSDT 2011_11_30 -10",
"14 - WSDT 2012_3_1_4 14",
"13 WS WS%sT"
],
"Pacific/Auckland": [
"11:39:4 - LMT 1868_10_2 11:39:4",
"11:30 NZ NZ%sT 1946_0_1 12",
"12 NZ NZ%sT"
],
"Pacific/Chatham": [
"12:13:48 - LMT 1957_0_1 12:13:48",
"12:45 Chatham CHA%sT"
],
"Pacific/Chuuk": [
"10:7:8 - LMT 1901 10:7:8",
"10 - CHUT"
],
"Pacific/Easter": [
"-7:17:44 - LMT 1890 -7:17:44",
"-7:17:28 - EMT 1932_8 -7:17:28",
"-7 Chile EAS%sT 1982_2_13_21 -6",
"-6 Chile EAS%sT"
],
"Pacific/Efate": [
"11:13:16 - LMT 1912_0_13 11:13:16",
"11 Vanuatu VU%sT"
],
"Pacific/Enderbury": [
"-11:24:20 - LMT 1901 -11:24:20",
"-12 - PHOT 1979_9 -12",
"-11 - PHOT 1995 -11",
"13 - PHOT"
],
"Pacific/Fakaofo": [
"-11:24:56 - LMT 1901 -11:24:56",
"-11 - TKT 2011_11_30 -11",
"13 - TKT"
],
"Pacific/Fiji": [
"11:55:44 - LMT 1915_9_26 11:55:44",
"12 Fiji FJ%sT"
],
"Pacific/Funafuti": [
"11:56:52 - LMT 1901 11:56:52",
"12 - TVT"
],
"Pacific/Galapagos": [
"-5:58:24 - LMT 1931 -5:58:24",
"-5 - ECT 1986 -5",
"-6 - GALT"
],
"Pacific/Gambier": [
"-8:59:48 - LMT 1912_9 -8:59:48",
"-9 - GAMT"
],
"Pacific/Guadalcanal": [
"10:39:48 - LMT 1912_9 10:39:48",
"11 - SBT"
],
"Pacific/Guam": [
"-14:21 - LMT 1844_11_31 -14:21",
"9:39 - LMT 1901 9:39",
"10 - GST 2000_11_23 10",
"10 - ChST"
],
"Pacific/Honolulu": [
"-10:31:26 - LMT 1896_0_13_12 -10:31:26",
"-10:30 - HST 1933_3_30_2 -10:30",
"-9:30 - HDT 1933_4_21_12 -9:30",
"-10:30 - HST 1942_1_09_2 -10:30",
"-9:30 - HDT 1945_8_30_2 -9:30",
"-10:30 - HST 1947_5_8_2 -10:30",
"-10 - HST"
],
"Pacific/Johnston": [
"-10 - HST"
],
"Pacific/Kiritimati": [
"-10:29:20 - LMT 1901 -10:29:20",
"-10:40 - LINT 1979_9 -10:40",
"-10 - LINT 1995 -10",
"14 - LINT"
],
"Pacific/Kosrae": [
"10:51:56 - LMT 1901 10:51:56",
"11 - KOST 1969_9 11",
"12 - KOST 1999 12",
"11 - KOST"
],
"Pacific/Kwajalein": [
"11:9:20 - LMT 1901 11:9:20",
"11 - MHT 1969_9 11",
"-12 - KWAT 1993_7_20 -12",
"12 - MHT"
],
"Pacific/Majuro": [
"11:24:48 - LMT 1901 11:24:48",
"11 - MHT 1969_9 11",
"12 - MHT"
],
"Pacific/Marquesas": [
"-9:18 - LMT 1912_9 -9:18",
"-9:30 - MART"
],
"Pacific/Midway": [
"-11:49:28 - LMT 1901 -11:49:28",
"-11 - NST 1956_5_3 -11",
"-10 - NDT 1956_8_2 -10",
"-11 - NST 1967_3 -11",
"-11 - BST 1983_10_30 -11",
"-11 - SST"
],
"Pacific/Nauru": [
"11:7:40 - LMT 1921_0_15 11:7:40",
"11:30 - NRT 1942_2_15 11:30",
"9 - JST 1944_7_15 9",
"11:30 - NRT 1979_4 11:30",
"12 - NRT"
],
"Pacific/Niue": [
"-11:19:40 - LMT 1901 -11:19:40",
"-11:20 - NUT 1951 -11:20",
"-11:30 - NUT 1978_9_1 -11:30",
"-11 - NUT"
],
"Pacific/Norfolk": [
"11:11:52 - LMT 1901 11:11:52",
"11:12 - NMT 1951 11:12",
"11:30 - NFT"
],
"Pacific/Noumea": [
"11:5:48 - LMT 1912_0_13 11:5:48",
"11 NC NC%sT"
],
"Pacific/Pago_Pago": [
"12:37:12 - LMT 1879_6_5 12:37:12",
"-11:22:48 - LMT 1911 -11:22:48",
"-11:30 - SAMT 1950 -11:30",
"-11 - NST 1967_3 -11",
"-11 - BST 1983_10_30 -11",
"-11 - SST"
],
"Pacific/Palau": [
"8:57:56 - LMT 1901 8:57:56",
"9 - PWT"
],
"Pacific/Pitcairn": [
"-8:40:20 - LMT 1901 -8:40:20",
"-8:30 - PNT 1998_3_27_00 -8:30",
"-8 - PST"
],
"Pacific/Pohnpei": [
"10:32:52 - LMT 1901 10:32:52",
"11 - PONT"
],
"Pacific/Port_Moresby": [
"9:48:40 - LMT 1880 9:48:40",
"9:48:32 - PMMT 1895 9:48:32",
"10 - PGT"
],
"Pacific/Rarotonga": [
"-10:39:4 - LMT 1901 -10:39:4",
"-10:30 - CKT 1978_10_12 -10:30",
"-10 Cook CK%sT"
],
"Pacific/Saipan": [
"-14:17 - LMT 1844_11_31 -14:17",
"9:43 - LMT 1901 9:43",
"9 - MPT 1969_9 9",
"10 - MPT 2000_11_23 10",
"10 - ChST"
],
"Pacific/Tahiti": [
"-9:58:16 - LMT 1912_9 -9:58:16",
"-10 - TAHT"
],
"Pacific/Tarawa": [
"11:32:4 - LMT 1901 11:32:4",
"12 - GILT"
],
"Pacific/Tongatapu": [
"12:19:20 - LMT 1901 12:19:20",
"12:20 - TOT 1941 12:20",
"13 - TOT 1999 13",
"13 Tonga TO%sT"
],
"Pacific/Wake": [
"11:6:28 - LMT 1901 11:6:28",
"12 - WAKT"
],
"Pacific/Wallis": [
"12:15:20 - LMT 1901 12:15:20",
"12 - WFT"
]
},
"rules": {
"Ghana": [
"1936 1942 8 1 7 0 0 0:20 GHST",
"1936 1942 11 31 7 0 0 0 GMT"
],
"Algeria": [
"1916 1916 5 14 7 23 2 1 S",
"1916 1919 9 1 0 23 2 0",
"1917 1917 2 24 7 23 2 1 S",
"1918 1918 2 9 7 23 2 1 S",
"1919 1919 2 1 7 23 2 1 S",
"1920 1920 1 14 7 23 2 1 S",
"1920 1920 9 23 7 23 2 0",
"1921 1921 2 14 7 23 2 1 S",
"1921 1921 5 21 7 23 2 0",
"1939 1939 8 11 7 23 2 1 S",
"1939 1939 10 19 7 1 0 0",
"1944 1945 3 1 1 2 0 1 S",
"1944 1944 9 8 7 2 0 0",
"1945 1945 8 16 7 1 0 0",
"1971 1971 3 25 7 23 2 1 S",
"1971 1971 8 26 7 23 2 0",
"1977 1977 4 6 7 0 0 1 S",
"1977 1977 9 21 7 0 0 0",
"1978 1978 2 24 7 1 0 1 S",
"1978 1978 8 22 7 3 0 0",
"1980 1980 3 25 7 0 0 1 S",
"1980 1980 9 31 7 2 0 0"
],
"Egypt": [
"1940 1940 6 15 7 0 0 1 S",
"1940 1940 9 1 7 0 0 0",
"1941 1941 3 15 7 0 0 1 S",
"1941 1941 8 16 7 0 0 0",
"1942 1944 3 1 7 0 0 1 S",
"1942 1942 9 27 7 0 0 0",
"1943 1945 10 1 7 0 0 0",
"1945 1945 3 16 7 0 0 1 S",
"1957 1957 4 10 7 0 0 1 S",
"1957 1958 9 1 7 0 0 0",
"1958 1958 4 1 7 0 0 1 S",
"1959 1981 4 1 7 1 0 1 S",
"1959 1965 8 30 7 3 0 0",
"1966 1994 9 1 7 3 0 0",
"1982 1982 6 25 7 1 0 1 S",
"1983 1983 6 12 7 1 0 1 S",
"1984 1988 4 1 7 1 0 1 S",
"1989 1989 4 6 7 1 0 1 S",
"1990 1994 4 1 7 1 0 1 S",
"1995 2010 3 5 8 0 2 1 S",
"1995 2005 8 4 8 23 2 0",
"2006 2006 8 21 7 23 2 0",
"2007 2007 8 1 4 23 2 0",
"2008 2008 7 4 8 23 2 0",
"2009 2009 7 20 7 23 2 0",
"2010 2010 7 11 7 0 0 0",
"2010 2010 8 10 7 0 0 1 S",
"2010 2010 8 4 8 23 2 0"
],
"Morocco": [
"1939 1939 8 12 7 0 0 1 S",
"1939 1939 10 19 7 0 0 0",
"1940 1940 1 25 7 0 0 1 S",
"1945 1945 10 18 7 0 0 0",
"1950 1950 5 11 7 0 0 1 S",
"1950 1950 9 29 7 0 0 0",
"1967 1967 5 3 7 12 0 1 S",
"1967 1967 9 1 7 0 0 0",
"1974 1974 5 24 7 0 0 1 S",
"1974 1974 8 1 7 0 0 0",
"1976 1977 4 1 7 0 0 1 S",
"1976 1976 7 1 7 0 0 0",
"1977 1977 8 28 7 0 0 0",
"1978 1978 5 1 7 0 0 1 S",
"1978 1978 7 4 7 0 0 0",
"2008 2008 5 1 7 0 0 1 S",
"2008 2008 8 1 7 0 0 0",
"2009 2009 5 1 7 0 0 1 S",
"2009 2009 7 21 7 0 0 0",
"2010 2010 4 2 7 0 0 1 S",
"2010 2010 7 8 7 0 0 0",
"2011 2011 3 3 7 0 0 1 S",
"2011 2011 6 31 7 0 0 0",
"2012 2019 3 0 8 2 0 1 S",
"2012 9999 8 0 8 3 0 0",
"2012 2012 6 20 7 3 0 0",
"2012 2012 7 20 7 2 0 1 S",
"2013 2013 6 9 7 3 0 0",
"2013 2013 7 8 7 2 0 1 S",
"2014 2014 5 29 7 3 0 0",
"2014 2014 6 29 7 2 0 1 S",
"2015 2015 5 18 7 3 0 0",
"2015 2015 6 18 7 2 0 1 S",
"2016 2016 5 7 7 3 0 0",
"2016 2016 6 7 7 2 0 1 S",
"2017 2017 4 27 7 3 0 0",
"2017 2017 5 26 7 2 0 1 S",
"2018 2018 4 16 7 3 0 0",
"2018 2018 5 15 7 2 0 1 S",
"2019 2019 4 6 7 3 0 0",
"2019 2019 5 5 7 2 0 1 S",
"2020 2020 4 24 7 2 0 1 S",
"2021 2021 4 13 7 2 0 1 S",
"2022 2022 4 3 7 2 0 1 S",
"2023 9999 3 0 8 2 0 1 S"
],
"Spain": [
"1917 1917 4 5 7 23 2 1 S",
"1917 1919 9 6 7 23 2 0",
"1918 1918 3 15 7 23 2 1 S",
"1919 1919 3 5 7 23 2 1 S",
"1924 1924 3 16 7 23 2 1 S",
"1924 1924 9 4 7 23 2 0",
"1926 1926 3 17 7 23 2 1 S",
"1926 1929 9 1 6 23 2 0",
"1927 1927 3 9 7 23 2 1 S",
"1928 1928 3 14 7 23 2 1 S",
"1929 1929 3 20 7 23 2 1 S",
"1937 1937 4 22 7 23 2 1 S",
"1937 1939 9 1 6 23 2 0",
"1938 1938 2 22 7 23 2 1 S",
"1939 1939 3 15 7 23 2 1 S",
"1940 1940 2 16 7 23 2 1 S",
"1942 1942 4 2 7 22 2 2 M",
"1942 1942 8 1 7 22 2 1 S",
"1943 1946 3 13 6 22 2 2 M",
"1943 1943 9 3 7 22 2 1 S",
"1944 1944 9 10 7 22 2 1 S",
"1945 1945 8 30 7 1 0 1 S",
"1946 1946 8 30 7 0 0 0",
"1949 1949 3 30 7 23 0 1 S",
"1949 1949 8 30 7 1 0 0",
"1974 1975 3 13 6 23 0 1 S",
"1974 1975 9 1 0 1 0 0",
"1976 1976 2 27 7 23 0 1 S",
"1976 1977 8 0 8 1 0 0",
"1977 1978 3 2 7 23 0 1 S",
"1978 1978 9 1 7 1 0 0"
],
"SpainAfrica": [
"1967 1967 5 3 7 12 0 1 S",
"1967 1967 9 1 7 0 0 0",
"1974 1974 5 24 7 0 0 1 S",
"1974 1974 8 1 7 0 0 0",
"1976 1977 4 1 7 0 0 1 S",
"1976 1976 7 1 7 0 0 0",
"1977 1977 8 28 7 0 0 0",
"1978 1978 5 1 7 0 0 1 S",
"1978 1978 7 4 7 0 0 0"
],
"EU": [
"1977 1980 3 1 0 1 1 1 S",
"1977 1977 8 0 8 1 1 0",
"1978 1978 9 1 7 1 1 0",
"1979 1995 8 0 8 1 1 0",
"1981 9999 2 0 8 1 1 1 S",
"1996 9999 9 0 8 1 1 0"
],
"SL": [
"1935 1942 5 1 7 0 0 0:40 SLST",
"1935 1942 9 1 7 0 0 0 WAT",
"1957 1962 5 1 7 0 0 1 SLST",
"1957 1962 8 1 7 0 0 0 GMT"
],
"SA": [
"1942 1943 8 15 0 2 0 1",
"1943 1944 2 15 0 2 0 0"
],
"Sudan": [
"1970 1970 4 1 7 0 0 1 S",
"1970 1985 9 15 7 0 0 0",
"1971 1971 3 30 7 0 0 1 S",
"1972 1985 3 0 8 0 0 1 S"
],
"Libya": [
"1951 1951 9 14 7 2 0 1 S",
"1952 1952 0 1 7 0 0 0",
"1953 1953 9 9 7 2 0 1 S",
"1954 1954 0 1 7 0 0 0",
"1955 1955 8 30 7 0 0 1 S",
"1956 1956 0 1 7 0 0 0",
"1982 1984 3 1 7 0 0 1 S",
"1982 1985 9 1 7 0 0 0",
"1985 1985 3 6 7 0 0 1 S",
"1986 1986 3 4 7 0 0 1 S",
"1986 1986 9 3 7 0 0 0",
"1987 1989 3 1 7 0 0 1 S",
"1987 1989 9 1 7 0 0 0",
"1997 1997 3 4 7 0 0 1 S",
"1997 1997 9 4 7 0 0 0",
"2013 9999 2 5 8 1 0 1 S",
"2013 9999 9 5 8 2 0 0"
],
"Tunisia": [
"1939 1939 3 15 7 23 2 1 S",
"1939 1939 10 18 7 23 2 0",
"1940 1940 1 25 7 23 2 1 S",
"1941 1941 9 6 7 0 0 0",
"1942 1942 2 9 7 0 0 1 S",
"1942 1942 10 2 7 3 0 0",
"1943 1943 2 29 7 2 0 1 S",
"1943 1943 3 17 7 2 0 0",
"1943 1943 3 25 7 2 0 1 S",
"1943 1943 9 4 7 2 0 0",
"1944 1945 3 1 1 2 0 1 S",
"1944 1944 9 8 7 0 0 0",
"1945 1945 8 16 7 0 0 0",
"1977 1977 3 30 7 0 2 1 S",
"1977 1977 8 24 7 0 2 0",
"1978 1978 4 1 7 0 2 1 S",
"1978 1978 9 1 7 0 2 0",
"1988 1988 5 1 7 0 2 1 S",
"1988 1990 8 0 8 0 2 0",
"1989 1989 2 26 7 0 2 1 S",
"1990 1990 4 1 7 0 2 1 S",
"2005 2005 4 1 7 0 2 1 S",
"2005 2005 8 30 7 1 2 0",
"2006 2008 2 0 8 2 2 1 S",
"2006 2008 9 0 8 2 2 0"
],
"Namibia": [
"1994 9999 8 1 0 2 0 1 S",
"1995 9999 3 1 0 2 0 0"
],
"US": [
"1918 1919 2 0 8 2 0 1 D",
"1918 1919 9 0 8 2 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 30 7 2 0 0 S",
"1967 2006 9 0 8 2 0 0 S",
"1967 1973 3 0 8 2 0 1 D",
"1974 1974 0 6 7 2 0 1 D",
"1975 1975 1 23 7 2 0 1 D",
"1976 1986 3 0 8 2 0 1 D",
"1987 2006 3 1 0 2 0 1 D",
"2007 9999 2 8 0 2 0 1 D",
"2007 9999 10 1 0 2 0 0 S"
],
"Brazil": [
"1931 1931 9 3 7 11 0 1 S",
"1932 1933 3 1 7 0 0 0",
"1932 1932 9 3 7 0 0 1 S",
"1949 1952 11 1 7 0 0 1 S",
"1950 1950 3 16 7 1 0 0",
"1951 1952 3 1 7 0 0 0",
"1953 1953 2 1 7 0 0 0",
"1963 1963 11 9 7 0 0 1 S",
"1964 1964 2 1 7 0 0 0",
"1965 1965 0 31 7 0 0 1 S",
"1965 1965 2 31 7 0 0 0",
"1965 1965 11 1 7 0 0 1 S",
"1966 1968 2 1 7 0 0 0",
"1966 1967 10 1 7 0 0 1 S",
"1985 1985 10 2 7 0 0 1 S",
"1986 1986 2 15 7 0 0 0",
"1986 1986 9 25 7 0 0 1 S",
"1987 1987 1 14 7 0 0 0",
"1987 1987 9 25 7 0 0 1 S",
"1988 1988 1 7 7 0 0 0",
"1988 1988 9 16 7 0 0 1 S",
"1989 1989 0 29 7 0 0 0",
"1989 1989 9 15 7 0 0 1 S",
"1990 1990 1 11 7 0 0 0",
"1990 1990 9 21 7 0 0 1 S",
"1991 1991 1 17 7 0 0 0",
"1991 1991 9 20 7 0 0 1 S",
"1992 1992 1 9 7 0 0 0",
"1992 1992 9 25 7 0 0 1 S",
"1993 1993 0 31 7 0 0 0",
"1993 1995 9 11 0 0 0 1 S",
"1994 1995 1 15 0 0 0 0",
"1996 1996 1 11 7 0 0 0",
"1996 1996 9 6 7 0 0 1 S",
"1997 1997 1 16 7 0 0 0",
"1997 1997 9 6 7 0 0 1 S",
"1998 1998 2 1 7 0 0 0",
"1998 1998 9 11 7 0 0 1 S",
"1999 1999 1 21 7 0 0 0",
"1999 1999 9 3 7 0 0 1 S",
"2000 2000 1 27 7 0 0 0",
"2000 2001 9 8 0 0 0 1 S",
"2001 2006 1 15 0 0 0 0",
"2002 2002 10 3 7 0 0 1 S",
"2003 2003 9 19 7 0 0 1 S",
"2004 2004 10 2 7 0 0 1 S",
"2005 2005 9 16 7 0 0 1 S",
"2006 2006 10 5 7 0 0 1 S",
"2007 2007 1 25 7 0 0 0",
"2007 2007 9 8 0 0 0 1 S",
"2008 9999 9 15 0 0 0 1 S",
"2008 2011 1 15 0 0 0 0",
"2012 2012 1 22 0 0 0 0",
"2013 2014 1 15 0 0 0 0",
"2015 2015 1 22 0 0 0 0",
"2016 2022 1 15 0 0 0 0",
"2023 2023 1 22 0 0 0 0",
"2024 2025 1 15 0 0 0 0",
"2026 2026 1 22 0 0 0 0",
"2027 2033 1 15 0 0 0 0",
"2034 2034 1 22 0 0 0 0",
"2035 2036 1 15 0 0 0 0",
"2037 2037 1 22 0 0 0 0",
"2038 9999 1 15 0 0 0 0"
],
"Arg": [
"1930 1930 11 1 7 0 0 1 S",
"1931 1931 3 1 7 0 0 0",
"1931 1931 9 15 7 0 0 1 S",
"1932 1940 2 1 7 0 0 0",
"1932 1939 10 1 7 0 0 1 S",
"1940 1940 6 1 7 0 0 1 S",
"1941 1941 5 15 7 0 0 0",
"1941 1941 9 15 7 0 0 1 S",
"1943 1943 7 1 7 0 0 0",
"1943 1943 9 15 7 0 0 1 S",
"1946 1946 2 1 7 0 0 0",
"1946 1946 9 1 7 0 0 1 S",
"1963 1963 9 1 7 0 0 0",
"1963 1963 11 15 7 0 0 1 S",
"1964 1966 2 1 7 0 0 0",
"1964 1966 9 15 7 0 0 1 S",
"1967 1967 3 2 7 0 0 0",
"1967 1968 9 1 0 0 0 1 S",
"1968 1969 3 1 0 0 0 0",
"1974 1974 0 23 7 0 0 1 S",
"1974 1974 4 1 7 0 0 0",
"1988 1988 11 1 7 0 0 1 S",
"1989 1993 2 1 0 0 0 0",
"1989 1992 9 15 0 0 0 1 S",
"1999 1999 9 1 0 0 0 1 S",
"2000 2000 2 3 7 0 0 0",
"2007 2007 11 30 7 0 0 1 S",
"2008 2009 2 15 0 0 0 0",
"2008 2008 9 15 0 0 0 1 S"
],
"SanLuis": [
"2008 2009 2 8 0 0 0 0",
"2007 2009 9 8 0 0 0 1 S"
],
"Para": [
"1975 1988 9 1 7 0 0 1 S",
"1975 1978 2 1 7 0 0 0",
"1979 1991 3 1 7 0 0 0",
"1989 1989 9 22 7 0 0 1 S",
"1990 1990 9 1 7 0 0 1 S",
"1991 1991 9 6 7 0 0 1 S",
"1992 1992 2 1 7 0 0 0",
"1992 1992 9 5 7 0 0 1 S",
"1993 1993 2 31 7 0 0 0",
"1993 1995 9 1 7 0 0 1 S",
"1994 1995 1 0 8 0 0 0",
"1996 1996 2 1 7 0 0 0",
"1996 2001 9 1 0 0 0 1 S",
"1997 1997 1 0 8 0 0 0",
"1998 2001 2 1 0 0 0 0",
"2002 2004 3 1 0 0 0 0",
"2002 2003 8 1 0 0 0 1 S",
"2004 2009 9 15 0 0 0 1 S",
"2005 2009 2 8 0 0 0 0",
"2010 9999 9 1 0 0 0 1 S",
"2010 2012 3 8 0 0 0 0",
"2013 9999 2 22 0 0 0 0"
],
"Canada": [
"1918 1918 3 14 7 2 0 1 D",
"1918 1918 9 27 7 2 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 30 7 2 0 0 S",
"1974 1986 3 0 8 2 0 1 D",
"1974 2006 9 0 8 2 0 0 S",
"1987 2006 3 1 0 2 0 1 D",
"2007 9999 2 8 0 2 0 1 D",
"2007 9999 10 1 0 2 0 0 S"
],
"Mexico": [
"1939 1939 1 5 7 0 0 1 D",
"1939 1939 5 25 7 0 0 0 S",
"1940 1940 11 9 7 0 0 1 D",
"1941 1941 3 1 7 0 0 0 S",
"1943 1943 11 16 7 0 0 1 W",
"1944 1944 4 1 7 0 0 0 S",
"1950 1950 1 12 7 0 0 1 D",
"1950 1950 6 30 7 0 0 0 S",
"1996 2000 3 1 0 2 0 1 D",
"1996 2000 9 0 8 2 0 0 S",
"2001 2001 4 1 0 2 0 1 D",
"2001 2001 8 0 8 2 0 0 S",
"2002 9999 3 1 0 2 0 1 D",
"2002 9999 9 0 8 2 0 0 S"
],
"Barb": [
"1977 1977 5 12 7 2 0 1 D",
"1977 1978 9 1 0 2 0 0 S",
"1978 1980 3 15 0 2 0 1 D",
"1979 1979 8 30 7 2 0 0 S",
"1980 1980 8 25 7 2 0 0 S"
],
"Belize": [
"1918 1942 9 2 0 0 0 0:30 HD",
"1919 1943 1 9 0 0 0 0 S",
"1973 1973 11 5 7 0 0 1 D",
"1974 1974 1 9 7 0 0 0 S",
"1982 1982 11 18 7 0 0 1 D",
"1983 1983 1 12 7 0 0 0 S"
],
"CO": [
"1992 1992 4 3 7 0 0 1 S",
"1993 1993 3 4 7 0 0 0"
],
"NT_YK": [
"1918 1918 3 14 7 2 0 1 D",
"1918 1918 9 27 7 2 0 0 S",
"1919 1919 4 25 7 2 0 1 D",
"1919 1919 10 1 7 0 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 30 7 2 0 0 S",
"1965 1965 3 0 8 0 0 2 DD",
"1965 1965 9 0 8 2 0 0 S",
"1980 1986 3 0 8 2 0 1 D",
"1980 2006 9 0 8 2 0 0 S",
"1987 2006 3 1 0 2 0 1 D"
],
"Chicago": [
"1920 1920 5 13 7 2 0 1 D",
"1920 1921 9 0 8 2 0 0 S",
"1921 1921 2 0 8 2 0 1 D",
"1922 1966 3 0 8 2 0 1 D",
"1922 1954 8 0 8 2 0 0 S",
"1955 1966 9 0 8 2 0 0 S"
],
"CR": [
"1979 1980 1 0 8 0 0 1 D",
"1979 1980 5 1 0 0 0 0 S",
"1991 1992 0 15 6 0 0 1 D",
"1991 1991 6 1 7 0 0 0 S",
"1992 1992 2 15 7 0 0 0 S"
],
"Vanc": [
"1918 1918 3 14 7 2 0 1 D",
"1918 1918 9 27 7 2 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 30 7 2 0 0 S",
"1946 1986 3 0 8 2 0 1 D",
"1946 1946 9 13 7 2 0 0 S",
"1947 1961 8 0 8 2 0 0 S",
"1962 2006 9 0 8 2 0 0 S"
],
"Denver": [
"1920 1921 2 0 8 2 0 1 D",
"1920 1920 9 0 8 2 0 0 S",
"1921 1921 4 22 7 2 0 0 S",
"1965 1966 3 0 8 2 0 1 D",
"1965 1966 9 0 8 2 0 0 S"
],
"Detroit": [
"1948 1948 3 0 8 2 0 1 D",
"1948 1948 8 0 8 2 0 0 S",
"1967 1967 5 14 7 2 0 1 D",
"1967 1967 9 0 8 2 0 0 S"
],
"Edm": [
"1918 1919 3 8 0 2 0 1 D",
"1918 1918 9 27 7 2 0 0 S",
"1919 1919 4 27 7 2 0 0 S",
"1920 1923 3 0 8 2 0 1 D",
"1920 1920 9 0 8 2 0 0 S",
"1921 1923 8 0 8 2 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 0 8 2 0 0 S",
"1947 1947 3 0 8 2 0 1 D",
"1947 1947 8 0 8 2 0 0 S",
"1967 1967 3 0 8 2 0 1 D",
"1967 1967 9 0 8 2 0 0 S",
"1969 1969 3 0 8 2 0 1 D",
"1969 1969 9 0 8 2 0 0 S",
"1972 1986 3 0 8 2 0 1 D",
"1972 2006 9 0 8 2 0 0 S"
],
"Salv": [
"1987 1988 4 1 0 0 0 1 D",
"1987 1988 8 0 8 0 0 0 S"
],
"Halifax": [
"1916 1916 3 1 7 0 0 1 D",
"1916 1916 9 1 7 0 0 0 S",
"1920 1920 4 9 7 0 0 1 D",
"1920 1920 7 29 7 0 0 0 S",
"1921 1921 4 6 7 0 0 1 D",
"1921 1922 8 5 7 0 0 0 S",
"1922 1922 3 30 7 0 0 1 D",
"1923 1925 4 1 0 0 0 1 D",
"1923 1923 8 4 7 0 0 0 S",
"1924 1924 8 15 7 0 0 0 S",
"1925 1925 8 28 7 0 0 0 S",
"1926 1926 4 16 7 0 0 1 D",
"1926 1926 8 13 7 0 0 0 S",
"1927 1927 4 1 7 0 0 1 D",
"1927 1927 8 26 7 0 0 0 S",
"1928 1931 4 8 0 0 0 1 D",
"1928 1928 8 9 7 0 0 0 S",
"1929 1929 8 3 7 0 0 0 S",
"1930 1930 8 15 7 0 0 0 S",
"1931 1932 8 24 1 0 0 0 S",
"1932 1932 4 1 7 0 0 1 D",
"1933 1933 3 30 7 0 0 1 D",
"1933 1933 9 2 7 0 0 0 S",
"1934 1934 4 20 7 0 0 1 D",
"1934 1934 8 16 7 0 0 0 S",
"1935 1935 5 2 7 0 0 1 D",
"1935 1935 8 30 7 0 0 0 S",
"1936 1936 5 1 7 0 0 1 D",
"1936 1936 8 14 7 0 0 0 S",
"1937 1938 4 1 0 0 0 1 D",
"1937 1941 8 24 1 0 0 0 S",
"1939 1939 4 28 7 0 0 1 D",
"1940 1941 4 1 0 0 0 1 D",
"1946 1949 3 0 8 2 0 1 D",
"1946 1949 8 0 8 2 0 0 S",
"1951 1954 3 0 8 2 0 1 D",
"1951 1954 8 0 8 2 0 0 S",
"1956 1959 3 0 8 2 0 1 D",
"1956 1959 8 0 8 2 0 0 S",
"1962 1973 3 0 8 2 0 1 D",
"1962 1973 9 0 8 2 0 0 S"
],
"StJohns": [
"1917 1917 3 8 7 2 0 1 D",
"1917 1917 8 17 7 2 0 0 S",
"1919 1919 4 5 7 23 0 1 D",
"1919 1919 7 12 7 23 0 0 S",
"1920 1935 4 1 0 23 0 1 D",
"1920 1935 9 0 8 23 0 0 S",
"1936 1941 4 9 1 0 0 1 D",
"1936 1941 9 2 1 0 0 0 S",
"1946 1950 4 8 0 2 0 1 D",
"1946 1950 9 2 0 2 0 0 S",
"1951 1986 3 0 8 2 0 1 D",
"1951 1959 8 0 8 2 0 0 S",
"1960 1986 9 0 8 2 0 0 S",
"1987 1987 3 1 0 0:1 0 1 D",
"1987 2006 9 0 8 0:1 0 0 S",
"1988 1988 3 1 0 0:1 0 2 DD",
"1989 2006 3 1 0 0:1 0 1 D",
"2007 2011 2 8 0 0:1 0 1 D",
"2007 2010 10 1 0 0:1 0 0 S"
],
"TC": [
"1979 1986 3 0 8 2 0 1 D",
"1979 2006 9 0 8 2 0 0 S",
"1987 2006 3 1 0 2 0 1 D",
"2007 9999 2 8 0 2 0 1 D",
"2007 9999 10 1 0 2 0 0 S"
],
"Guat": [
"1973 1973 10 25 7 0 0 1 D",
"1974 1974 1 24 7 0 0 0 S",
"1983 1983 4 21 7 0 0 1 D",
"1983 1983 8 22 7 0 0 0 S",
"1991 1991 2 23 7 0 0 1 D",
"1991 1991 8 7 7 0 0 0 S",
"2006 2006 3 30 7 0 0 1 D",
"2006 2006 9 1 7 0 0 0 S"
],
"Cuba": [
"1928 1928 5 10 7 0 0 1 D",
"1928 1928 9 10 7 0 0 0 S",
"1940 1942 5 1 0 0 0 1 D",
"1940 1942 8 1 0 0 0 0 S",
"1945 1946 5 1 0 0 0 1 D",
"1945 1946 8 1 0 0 0 0 S",
"1965 1965 5 1 7 0 0 1 D",
"1965 1965 8 30 7 0 0 0 S",
"1966 1966 4 29 7 0 0 1 D",
"1966 1966 9 2 7 0 0 0 S",
"1967 1967 3 8 7 0 0 1 D",
"1967 1968 8 8 0 0 0 0 S",
"1968 1968 3 14 7 0 0 1 D",
"1969 1977 3 0 8 0 0 1 D",
"1969 1971 9 0 8 0 0 0 S",
"1972 1974 9 8 7 0 0 0 S",
"1975 1977 9 0 8 0 0 0 S",
"1978 1978 4 7 7 0 0 1 D",
"1978 1990 9 8 0 0 0 0 S",
"1979 1980 2 15 0 0 0 1 D",
"1981 1985 4 5 0 0 0 1 D",
"1986 1989 2 14 0 0 0 1 D",
"1990 1997 3 1 0 0 0 1 D",
"1991 1995 9 8 0 0 2 0 S",
"1996 1996 9 6 7 0 2 0 S",
"1997 1997 9 12 7 0 2 0 S",
"1998 1999 2 0 8 0 2 1 D",
"1998 2003 9 0 8 0 2 0 S",
"2000 2004 3 1 0 0 2 1 D",
"2006 2010 9 0 8 0 2 0 S",
"2007 2007 2 8 0 0 2 1 D",
"2008 2008 2 15 0 0 2 1 D",
"2009 2010 2 8 0 0 2 1 D",
"2011 2011 2 15 0 0 2 1 D",
"2011 2011 10 13 7 0 2 0 S",
"2012 2012 3 1 7 0 2 1 D",
"2012 9999 10 1 0 0 2 0 S",
"2013 9999 2 8 0 0 2 1 D"
],
"Indianapolis": [
"1941 1941 5 22 7 2 0 1 D",
"1941 1954 8 0 8 2 0 0 S",
"1946 1954 3 0 8 2 0 1 D"
],
"Starke": [
"1947 1961 3 0 8 2 0 1 D",
"1947 1954 8 0 8 2 0 0 S",
"1955 1956 9 0 8 2 0 0 S",
"1957 1958 8 0 8 2 0 0 S",
"1959 1961 9 0 8 2 0 0 S"
],
"Marengo": [
"1951 1951 3 0 8 2 0 1 D",
"1951 1951 8 0 8 2 0 0 S",
"1954 1960 3 0 8 2 0 1 D",
"1954 1960 8 0 8 2 0 0 S"
],
"Pike": [
"1955 1955 4 1 7 0 0 1 D",
"1955 1960 8 0 8 2 0 0 S",
"1956 1964 3 0 8 2 0 1 D",
"1961 1964 9 0 8 2 0 0 S"
],
"Perry": [
"1946 1946 3 0 8 2 0 1 D",
"1946 1946 8 0 8 2 0 0 S",
"1953 1954 3 0 8 2 0 1 D",
"1953 1959 8 0 8 2 0 0 S",
"1955 1955 4 1 7 0 0 1 D",
"1956 1963 3 0 8 2 0 1 D",
"1960 1960 9 0 8 2 0 0 S",
"1961 1961 8 0 8 2 0 0 S",
"1962 1963 9 0 8 2 0 0 S"
],
"Vincennes": [
"1946 1946 3 0 8 2 0 1 D",
"1946 1946 8 0 8 2 0 0 S",
"1953 1954 3 0 8 2 0 1 D",
"1953 1959 8 0 8 2 0 0 S",
"1955 1955 4 1 7 0 0 1 D",
"1956 1963 3 0 8 2 0 1 D",
"1960 1960 9 0 8 2 0 0 S",
"1961 1961 8 0 8 2 0 0 S",
"1962 1963 9 0 8 2 0 0 S"
],
"Pulaski": [
"1946 1960 3 0 8 2 0 1 D",
"1946 1954 8 0 8 2 0 0 S",
"1955 1956 9 0 8 2 0 0 S",
"1957 1960 8 0 8 2 0 0 S"
],
"Louisville": [
"1921 1921 4 1 7 2 0 1 D",
"1921 1921 8 1 7 2 0 0 S",
"1941 1961 3 0 8 2 0 1 D",
"1941 1941 8 0 8 2 0 0 S",
"1946 1946 5 2 7 2 0 0 S",
"1950 1955 8 0 8 2 0 0 S",
"1956 1960 9 0 8 2 0 0 S"
],
"Peru": [
"1938 1938 0 1 7 0 0 1 S",
"1938 1938 3 1 7 0 0 0",
"1938 1939 8 0 8 0 0 1 S",
"1939 1940 2 24 0 0 0 0",
"1986 1987 0 1 7 0 0 1 S",
"1986 1987 3 1 7 0 0 0",
"1990 1990 0 1 7 0 0 1 S",
"1990 1990 3 1 7 0 0 0",
"1994 1994 0 1 7 0 0 1 S",
"1994 1994 3 1 7 0 0 0"
],
"CA": [
"1948 1948 2 14 7 2 0 1 D",
"1949 1949 0 1 7 2 0 0 S",
"1950 1966 3 0 8 2 0 1 D",
"1950 1961 8 0 8 2 0 0 S",
"1962 1966 9 0 8 2 0 0 S"
],
"Nic": [
"1979 1980 2 16 0 0 0 1 D",
"1979 1980 5 23 1 0 0 0 S",
"2005 2005 3 10 7 0 0 1 D",
"2005 2005 9 1 0 0 0 0 S",
"2006 2006 3 30 7 2 0 1 D",
"2006 2006 9 1 0 1 0 0 S"
],
"Menominee": [
"1946 1946 3 0 8 2 0 1 D",
"1946 1946 8 0 8 2 0 0 S",
"1966 1966 3 0 8 2 0 1 D",
"1966 1966 9 0 8 2 0 0 S"
],
"Moncton": [
"1933 1935 5 8 0 1 0 1 D",
"1933 1935 8 8 0 1 0 0 S",
"1936 1938 5 1 0 1 0 1 D",
"1936 1938 8 1 0 1 0 0 S",
"1939 1939 4 27 7 1 0 1 D",
"1939 1941 8 21 6 1 0 0 S",
"1940 1940 4 19 7 1 0 1 D",
"1941 1941 4 4 7 1 0 1 D",
"1946 1972 3 0 8 2 0 1 D",
"1946 1956 8 0 8 2 0 0 S",
"1957 1972 9 0 8 2 0 0 S",
"1993 2006 3 1 0 0:1 0 1 D",
"1993 2006 9 0 8 0:1 0 0 S"
],
"Uruguay": [
"1923 1923 9 2 7 0 0 0:30 HS",
"1924 1926 3 1 7 0 0 0",
"1924 1925 9 1 7 0 0 0:30 HS",
"1933 1935 9 0 8 0 0 0:30 HS",
"1934 1936 2 25 6 23:30 2 0",
"1936 1936 10 1 7 0 0 0:30 HS",
"1937 1941 2 0 8 0 0 0",
"1937 1940 9 0 8 0 0 0:30 HS",
"1941 1941 7 1 7 0 0 0:30 HS",
"1942 1942 0 1 7 0 0 0",
"1942 1942 11 14 7 0 0 1 S",
"1943 1943 2 14 7 0 0 0",
"1959 1959 4 24 7 0 0 1 S",
"1959 1959 10 15 7 0 0 0",
"1960 1960 0 17 7 0 0 1 S",
"1960 1960 2 6 7 0 0 0",
"1965 1967 3 1 0 0 0 1 S",
"1965 1965 8 26 7 0 0 0",
"1966 1967 9 31 7 0 0 0",
"1968 1970 4 27 7 0 0 0:30 HS",
"1968 1970 11 2 7 0 0 0",
"1972 1972 3 24 7 0 0 1 S",
"1972 1972 7 15 7 0 0 0",
"1974 1974 2 10 7 0 0 0:30 HS",
"1974 1974 11 22 7 0 0 1 S",
"1976 1976 9 1 7 0 0 0",
"1977 1977 11 4 7 0 0 1 S",
"1978 1978 3 1 7 0 0 0",
"1979 1979 9 1 7 0 0 1 S",
"1980 1980 4 1 7 0 0 0",
"1987 1987 11 14 7 0 0 1 S",
"1988 1988 2 14 7 0 0 0",
"1988 1988 11 11 7 0 0 1 S",
"1989 1989 2 12 7 0 0 0",
"1989 1989 9 29 7 0 0 1 S",
"1990 1992 2 1 0 0 0 0",
"1990 1991 9 21 0 0 0 1 S",
"1992 1992 9 18 7 0 0 1 S",
"1993 1993 1 28 7 0 0 0",
"2004 2004 8 19 7 0 0 1 S",
"2005 2005 2 27 7 2 0 0",
"2005 2005 9 9 7 2 0 1 S",
"2006 2006 2 12 7 2 0 0",
"2006 9999 9 1 0 2 0 1 S",
"2007 9999 2 8 0 2 0 0"
],
"Mont": [
"1917 1917 2 25 7 2 0 1 D",
"1917 1917 3 24 7 0 0 0 S",
"1919 1919 2 31 7 2:30 0 1 D",
"1919 1919 9 25 7 2:30 0 0 S",
"1920 1920 4 2 7 2:30 0 1 D",
"1920 1922 9 1 0 2:30 0 0 S",
"1921 1921 4 1 7 2 0 1 D",
"1922 1922 3 30 7 2 0 1 D",
"1924 1924 4 17 7 2 0 1 D",
"1924 1926 8 0 8 2:30 0 0 S",
"1925 1926 4 1 0 2 0 1 D",
"1927 1927 4 1 7 0 0 1 D",
"1927 1932 8 0 8 0 0 0 S",
"1928 1931 3 0 8 0 0 1 D",
"1932 1932 4 1 7 0 0 1 D",
"1933 1940 3 0 8 0 0 1 D",
"1933 1933 9 1 7 0 0 0 S",
"1934 1939 8 0 8 0 0 0 S",
"1946 1973 3 0 8 2 0 1 D",
"1945 1948 8 0 8 2 0 0 S",
"1949 1950 9 0 8 2 0 0 S",
"1951 1956 8 0 8 2 0 0 S",
"1957 1973 9 0 8 2 0 0 S"
],
"Bahamas": [
"1964 1975 9 0 8 2 0 0 S",
"1964 1975 3 0 8 2 0 1 D"
],
"NYC": [
"1920 1920 2 0 8 2 0 1 D",
"1920 1920 9 0 8 2 0 0 S",
"1921 1966 3 0 8 2 0 1 D",
"1921 1954 8 0 8 2 0 0 S",
"1955 1966 9 0 8 2 0 0 S"
],
"Haiti": [
"1983 1983 4 8 7 0 0 1 D",
"1984 1987 3 0 8 0 0 1 D",
"1983 1987 9 0 8 0 0 0 S",
"1988 1997 3 1 0 1 2 1 D",
"1988 1997 9 0 8 1 2 0 S",
"2005 2006 3 1 0 0 0 1 D",
"2005 2006 9 0 8 0 0 0 S",
"2012 9999 2 8 0 2 0 1 D",
"2012 9999 10 1 0 2 0 0 S"
],
"Regina": [
"1918 1918 3 14 7 2 0 1 D",
"1918 1918 9 27 7 2 0 0 S",
"1930 1934 4 1 0 0 0 1 D",
"1930 1934 9 1 0 0 0 0 S",
"1937 1941 3 8 0 0 0 1 D",
"1937 1937 9 8 0 0 0 0 S",
"1938 1938 9 1 0 0 0 0 S",
"1939 1941 9 8 0 0 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 0 8 2 0 0 S",
"1946 1946 3 8 0 2 0 1 D",
"1946 1946 9 8 0 2 0 0 S",
"1947 1957 3 0 8 2 0 1 D",
"1947 1957 8 0 8 2 0 0 S",
"1959 1959 3 0 8 2 0 1 D",
"1959 1959 9 0 8 2 0 0 S"
],
"Chile": [
"1927 1932 8 1 7 0 0 1 S",
"1928 1932 3 1 7 0 0 0",
"1942 1942 5 1 7 4 1 0",
"1942 1942 7 1 7 5 1 1 S",
"1946 1946 6 15 7 4 1 1 S",
"1946 1946 8 1 7 3 1 0",
"1947 1947 3 1 7 4 1 0",
"1968 1968 10 3 7 4 1 1 S",
"1969 1969 2 30 7 3 1 0",
"1969 1969 10 23 7 4 1 1 S",
"1970 1970 2 29 7 3 1 0",
"1971 1971 2 14 7 3 1 0",
"1970 1972 9 9 0 4 1 1 S",
"1972 1986 2 9 0 3 1 0",
"1973 1973 8 30 7 4 1 1 S",
"1974 1987 9 9 0 4 1 1 S",
"1987 1987 3 12 7 3 1 0",
"1988 1989 2 9 0 3 1 0",
"1988 1988 9 1 0 4 1 1 S",
"1989 1989 9 9 0 4 1 1 S",
"1990 1990 2 18 7 3 1 0",
"1990 1990 8 16 7 4 1 1 S",
"1991 1996 2 9 0 3 1 0",
"1991 1997 9 9 0 4 1 1 S",
"1997 1997 2 30 7 3 1 0",
"1998 1998 2 9 0 3 1 0",
"1998 1998 8 27 7 4 1 1 S",
"1999 1999 3 4 7 3 1 0",
"1999 2010 9 9 0 4 1 1 S",
"2000 2007 2 9 0 3 1 0",
"2008 2008 2 30 7 3 1 0",
"2009 2009 2 9 0 3 1 0",
"2010 2010 3 1 0 3 1 0",
"2011 2011 4 2 0 3 1 0",
"2011 2011 7 16 0 4 1 1 S",
"2012 9999 3 23 0 3 1 0",
"2012 9999 8 2 0 4 1 1 S"
],
"DR": [
"1966 1966 9 30 7 0 0 1 D",
"1967 1967 1 28 7 0 0 0 S",
"1969 1973 9 0 8 0 0 0:30 HD",
"1970 1970 1 21 7 0 0 0 S",
"1971 1971 0 20 7 0 0 0 S",
"1972 1974 0 21 7 0 0 0 S"
],
"C-Eur": [
"1916 1916 3 30 7 23 0 1 S",
"1916 1916 9 1 7 1 0 0",
"1917 1918 3 15 1 2 2 1 S",
"1917 1918 8 15 1 2 2 0",
"1940 1940 3 1 7 2 2 1 S",
"1942 1942 10 2 7 2 2 0",
"1943 1943 2 29 7 2 2 1 S",
"1943 1943 9 4 7 2 2 0",
"1944 1945 3 1 1 2 2 1 S",
"1944 1944 9 2 7 2 2 0",
"1945 1945 8 16 7 2 2 0",
"1977 1980 3 1 0 2 2 1 S",
"1977 1977 8 0 8 2 2 0",
"1978 1978 9 1 7 2 2 0",
"1979 1995 8 0 8 2 2 0",
"1981 9999 2 0 8 2 2 1 S",
"1996 9999 9 0 8 2 2 0"
],
"Swift": [
"1957 1957 3 0 8 2 0 1 D",
"1957 1957 9 0 8 2 0 0 S",
"1959 1961 3 0 8 2 0 1 D",
"1959 1959 9 0 8 2 0 0 S",
"1960 1961 8 0 8 2 0 0 S"
],
"Hond": [
"1987 1988 4 1 0 0 0 1 D",
"1987 1988 8 0 8 0 0 0 S",
"2006 2006 4 1 0 0 0 1 D",
"2006 2006 7 1 1 0 0 0 S"
],
"Thule": [
"1991 1992 2 0 8 2 0 1 D",
"1991 1992 8 0 8 2 0 0 S",
"1993 2006 3 1 0 2 0 1 D",
"1993 2006 9 0 8 2 0 0 S",
"2007 9999 2 8 0 2 0 1 D",
"2007 9999 10 1 0 2 0 0 S"
],
"Toronto": [
"1919 1919 2 30 7 23:30 0 1 D",
"1919 1919 9 26 7 0 0 0 S",
"1920 1920 4 2 7 2 0 1 D",
"1920 1920 8 26 7 0 0 0 S",
"1921 1921 4 15 7 2 0 1 D",
"1921 1921 8 15 7 2 0 0 S",
"1922 1923 4 8 0 2 0 1 D",
"1922 1926 8 15 0 2 0 0 S",
"1924 1927 4 1 0 2 0 1 D",
"1927 1932 8 0 8 2 0 0 S",
"1928 1931 3 0 8 2 0 1 D",
"1932 1932 4 1 7 2 0 1 D",
"1933 1940 3 0 8 2 0 1 D",
"1933 1933 9 1 7 2 0 0 S",
"1934 1939 8 0 8 2 0 0 S",
"1945 1946 8 0 8 2 0 0 S",
"1946 1946 3 0 8 2 0 1 D",
"1947 1949 3 0 8 0 0 1 D",
"1947 1948 8 0 8 0 0 0 S",
"1949 1949 10 0 8 0 0 0 S",
"1950 1973 3 0 8 2 0 1 D",
"1950 1950 10 0 8 2 0 0 S",
"1951 1956 8 0 8 2 0 0 S",
"1957 1973 9 0 8 2 0 0 S"
],
"Winn": [
"1916 1916 3 23 7 0 0 1 D",
"1916 1916 8 17 7 0 0 0 S",
"1918 1918 3 14 7 2 0 1 D",
"1918 1918 9 27 7 2 0 0 S",
"1937 1937 4 16 7 2 0 1 D",
"1937 1937 8 26 7 2 0 0 S",
"1942 1942 1 9 7 2 0 1 W",
"1945 1945 7 14 7 23 1 1 P",
"1945 1945 8 0 8 2 0 0 S",
"1946 1946 4 12 7 2 0 1 D",
"1946 1946 9 13 7 2 0 0 S",
"1947 1949 3 0 8 2 0 1 D",
"1947 1949 8 0 8 2 0 0 S",
"1950 1950 4 1 7 2 0 1 D",
"1950 1950 8 30 7 2 0 0 S",
"1951 1960 3 0 8 2 0 1 D",
"1951 1958 8 0 8 2 0 0 S",
"1959 1959 9 0 8 2 0 0 S",
"1960 1960 8 0 8 2 0 0 S",
"1963 1963 3 0 8 2 0 1 D",
"1963 1963 8 22 7 2 0 0 S",
"1966 1986 3 0 8 2 2 1 D",
"1966 2005 9 0 8 2 2 0 S",
"1987 2005 3 1 0 2 2 1 D"
],
"Aus": [
"1917 1917 0 1 7 0:1 0 1",
"1917 1917 2 25 7 2 0 0",
"1942 1942 0 1 7 2 0 1",
"1942 1942 2 29 7 2 0 0",
"1942 1942 8 27 7 2 0 1",
"1943 1944 2 0 8 2 0 0",
"1943 1943 9 3 7 2 0 1"
],
"AT": [
"1967 1967 9 1 0 2 2 1",
"1968 1968 2 0 8 2 2 0",
"1968 1985 9 0 8 2 2 1",
"1969 1971 2 8 0 2 2 0",
"1972 1972 1 0 8 2 2 0",
"1973 1981 2 1 0 2 2 0",
"1982 1983 2 0 8 2 2 0",
"1984 1986 2 1 0 2 2 0",
"1986 1986 9 15 0 2 2 1",
"1987 1990 2 15 0 2 2 0",
"1987 1987 9 22 0 2 2 1",
"1988 1990 9 0 8 2 2 1",
"1991 1999 9 1 0 2 2 1",
"1991 2005 2 0 8 2 2 0",
"2000 2000 7 0 8 2 2 1",
"2001 9999 9 1 0 2 2 1",
"2006 2006 3 1 0 2 2 0",
"2007 2007 2 0 8 2 2 0",
"2008 9999 3 1 0 2 2 0"
],
"NZAQ": [
"1974 1974 10 3 7 2 2 1 D",
"1975 1988 9 0 8 2 2 1 D",
"1989 1989 9 8 7 2 2 1 D",
"1990 2006 9 1 0 2 2 1 D",
"1975 1975 1 23 7 2 2 0 S",
"1976 1989 2 1 0 2 2 0 S",
"1990 2007 2 15 0 2 2 0 S",
"2007 9999 8 0 8 2 2 1 D",
"2008 9999 3 1 0 2 2 0 S"
],
"ArgAQ": [
"1964 1966 2 1 7 0 0 0",
"1964 1966 9 15 7 0 0 1 S",
"1967 1967 3 2 7 0 0 0",
"1967 1968 9 1 0 0 0 1 S",
"1968 1969 3 1 0 0 0 0",
"1974 1974 0 23 7 0 0 1 S",
"1974 1974 4 1 7 0 0 0"
],
"ChileAQ": [
"1972 1986 2 9 0 3 1 0",
"1974 1987 9 9 0 4 1 1 S",
"1987 1987 3 12 7 3 1 0",
"1988 1989 2 9 0 3 1 0",
"1988 1988 9 1 0 4 1 1 S",
"1989 1989 9 9 0 4 1 1 S",
"1990 1990 2 18 7 3 1 0",
"1990 1990 8 16 7 4 1 1 S",
"1991 1996 2 9 0 3 1 0",
"1991 1997 9 9 0 4 1 1 S",
"1997 1997 2 30 7 3 1 0",
"1998 1998 2 9 0 3 1 0",
"1998 1998 8 27 7 4 1 1 S",
"1999 1999 3 4 7 3 1 0",
"1999 2010 9 9 0 4 1 1 S",
"2000 2007 2 9 0 3 1 0",
"2008 2008 2 30 7 3 1 0",
"2009 2009 2 9 0 3 1 0",
"2010 2010 3 1 0 3 1 0",
"2011 2011 4 2 0 3 1 0",
"2011 2011 7 16 0 4 1 1 S",
"2012 9999 3 23 0 3 1 0",
"2012 9999 8 2 0 4 1 1 S"
],
"Norway": [
"1916 1916 4 22 7 1 0 1 S",
"1916 1916 8 30 7 0 0 0",
"1945 1945 3 2 7 2 2 1 S",
"1945 1945 9 1 7 2 2 0",
"1959 1964 2 15 0 2 2 1 S",
"1959 1965 8 15 0 2 2 0",
"1965 1965 3 25 7 2 2 1 S"
],
"RussiaAsia": [
"1981 1984 3 1 7 0 0 1 S",
"1981 1983 9 1 7 0 0 0",
"1984 1991 8 0 8 2 2 0",
"1985 1991 2 0 8 2 2 1 S",
"1992 1992 2 6 8 23 0 1 S",
"1992 1992 8 6 8 23 0 0",
"1993 9999 2 0 8 2 2 1 S",
"1993 1995 8 0 8 2 2 0",
"1996 9999 9 0 8 2 2 0"
],
"Jordan": [
"1973 1973 5 6 7 0 0 1 S",
"1973 1975 9 1 7 0 0 0",
"1974 1977 4 1 7 0 0 1 S",
"1976 1976 10 1 7 0 0 0",
"1977 1977 9 1 7 0 0 0",
"1978 1978 3 30 7 0 0 1 S",
"1978 1978 8 30 7 0 0 0",
"1985 1985 3 1 7 0 0 1 S",
"1985 1985 9 1 7 0 0 0",
"1986 1988 3 1 5 0 0 1 S",
"1986 1990 9 1 5 0 0 0",
"1989 1989 4 8 7 0 0 1 S",
"1990 1990 3 27 7 0 0 1 S",
"1991 1991 3 17 7 0 0 1 S",
"1991 1991 8 27 7 0 0 0",
"1992 1992 3 10 7 0 0 1 S",
"1992 1993 9 1 5 0 0 0",
"1993 1998 3 1 5 0 0 1 S",
"1994 1994 8 15 5 0 0 0",
"1995 1998 8 15 5 0 2 0",
"1999 1999 6 1 7 0 2 1 S",
"1999 2002 8 5 8 0 2 0",
"2000 2001 2 4 8 0 2 1 S",
"2002 9999 2 4 8 24 0 1 S",
"2003 2003 9 24 7 0 2 0",
"2004 2004 9 15 7 0 2 0",
"2005 2005 8 5 8 0 2 0",
"2006 2011 9 5 8 0 2 0",
"2013 9999 9 5 8 0 2 0"
],
"Russia": [
"1917 1917 6 1 7 23 0 1 MST",
"1917 1917 11 28 7 0 0 0 MMT",
"1918 1918 4 31 7 22 0 2 MDST",
"1918 1918 8 16 7 1 0 1 MST",
"1919 1919 4 31 7 23 0 2 MDST",
"1919 1919 6 1 7 2 0 1 S",
"1919 1919 7 16 7 0 0 0",
"1921 1921 1 14 7 23 0 1 S",
"1921 1921 2 20 7 23 0 2 M",
"1921 1921 8 1 7 0 0 1 S",
"1921 1921 9 1 7 0 0 0",
"1981 1984 3 1 7 0 0 1 S",
"1981 1983 9 1 7 0 0 0",
"1984 1991 8 0 8 2 2 0",
"1985 1991 2 0 8 2 2 1 S",
"1992 1992 2 6 8 23 0 1 S",
"1992 1992 8 6 8 23 0 0",
"1993 2010 2 0 8 2 2 1 S",
"1993 1995 8 0 8 2 2 0",
"1996 2010 9 0 8 2 2 0"
],
"Iraq": [
"1982 1982 4 1 7 0 0 1 D",
"1982 1984 9 1 7 0 0 0 S",
"1983 1983 2 31 7 0 0 1 D",
"1984 1985 3 1 7 0 0 1 D",
"1985 1990 8 0 8 1 2 0 S",
"1986 1990 2 0 8 1 2 1 D",
"1991 2007 3 1 7 3 2 1 D",
"1991 2007 9 1 7 3 2 0 S"
],
"EUAsia": [
"1981 9999 2 0 8 1 1 1 S",
"1979 1995 8 0 8 1 1 0",
"1996 9999 9 0 8 1 1 0"
],
"Azer": [
"1997 9999 2 0 8 4 0 1 S",
"1997 9999 9 0 8 5 0 0"
],
"Lebanon": [
"1920 1920 2 28 7 0 0 1 S",
"1920 1920 9 25 7 0 0 0",
"1921 1921 3 3 7 0 0 1 S",
"1921 1921 9 3 7 0 0 0",
"1922 1922 2 26 7 0 0 1 S",
"1922 1922 9 8 7 0 0 0",
"1923 1923 3 22 7 0 0 1 S",
"1923 1923 8 16 7 0 0 0",
"1957 1961 4 1 7 0 0 1 S",
"1957 1961 9 1 7 0 0 0",
"1972 1972 5 22 7 0 0 1 S",
"1972 1977 9 1 7 0 0 0",
"1973 1977 4 1 7 0 0 1 S",
"1978 1978 3 30 7 0 0 1 S",
"1978 1978 8 30 7 0 0 0",
"1984 1987 4 1 7 0 0 1 S",
"1984 1991 9 16 7 0 0 0",
"1988 1988 5 1 7 0 0 1 S",
"1989 1989 4 10 7 0 0 1 S",
"1990 1992 4 1 7 0 0 1 S",
"1992 1992 9 4 7 0 0 0",
"1993 9999 2 0 8 0 0 1 S",
"1993 1998 8 0 8 0 0 0",
"1999 9999 9 0 8 0 0 0"
],
"Kyrgyz": [
"1992 1996 3 7 0 0 2 1 S",
"1992 1996 8 0 8 0 0 0",
"1997 2005 2 0 8 2:30 0 1 S",
"1997 2004 9 0 8 2:30 0 0"
],
"Mongol": [
"1983 1984 3 1 7 0 0 1 S",
"1983 1983 9 1 7 0 0 0",
"1985 1998 2 0 8 0 0 1 S",
"1984 1998 8 0 8 0 0 0",
"2001 2001 3 6 8 2 0 1 S",
"2001 2006 8 6 8 2 0 0",
"2002 2006 2 6 8 2 0 1 S"
],
"PRC": [
"1986 1986 4 4 7 0 0 1 D",
"1986 1991 8 11 0 0 0 0 S",
"1987 1991 3 10 0 0 0 1 D"
],
"Syria": [
"1920 1923 3 15 0 2 0 1 S",
"1920 1923 9 1 0 2 0 0",
"1962 1962 3 29 7 2 0 1 S",
"1962 1962 9 1 7 2 0 0",
"1963 1965 4 1 7 2 0 1 S",
"1963 1963 8 30 7 2 0 0",
"1964 1964 9 1 7 2 0 0",
"1965 1965 8 30 7 2 0 0",
"1966 1966 3 24 7 2 0 1 S",
"1966 1976 9 1 7 2 0 0",
"1967 1978 4 1 7 2 0 1 S",
"1977 1978 8 1 7 2 0 0",
"1983 1984 3 9 7 2 0 1 S",
"1983 1984 9 1 7 2 0 0",
"1986 1986 1 16 7 2 0 1 S",
"1986 1986 9 9 7 2 0 0",
"1987 1987 2 1 7 2 0 1 S",
"1987 1988 9 31 7 2 0 0",
"1988 1988 2 15 7 2 0 1 S",
"1989 1989 2 31 7 2 0 1 S",
"1989 1989 9 1 7 2 0 0",
"1990 1990 3 1 7 2 0 1 S",
"1990 1990 8 30 7 2 0 0",
"1991 1991 3 1 7 0 0 1 S",
"1991 1992 9 1 7 0 0 0",
"1992 1992 3 8 7 0 0 1 S",
"1993 1993 2 26 7 0 0 1 S",
"1993 1993 8 25 7 0 0 0",
"1994 1996 3 1 7 0 0 1 S",
"1994 2005 9 1 7 0 0 0",
"1997 1998 2 1 8 0 0 1 S",
"1999 2006 3 1 7 0 0 1 S",
"2006 2006 8 22 7 0 0 0",
"2007 2007 2 5 8 0 0 1 S",
"2007 2007 10 1 5 0 0 0",
"2008 2008 3 1 5 0 0 1 S",
"2008 2008 10 1 7 0 0 0",
"2009 2009 2 5 8 0 0 1 S",
"2010 2011 3 1 5 0 0 1 S",
"2012 9999 2 5 8 0 0 1 S",
"2009 9999 9 5 8 0 0 0"
],
"Dhaka": [
"2009 2009 5 19 7 23 0 1 S",
"2009 2009 11 31 7 23:59 0 0"
],
"Zion": [
"1940 1940 5 1 7 0 0 1 D",
"1942 1944 10 1 7 0 0 0 S",
"1943 1943 3 1 7 2 0 1 D",
"1944 1944 3 1 7 0 0 1 D",
"1945 1945 3 16 7 0 0 1 D",
"1945 1945 10 1 7 2 0 0 S",
"1946 1946 3 16 7 2 0 1 D",
"1946 1946 10 1 7 0 0 0 S",
"1948 1948 4 23 7 0 0 2 DD",
"1948 1948 8 1 7 0 0 1 D",
"1948 1949 10 1 7 2 0 0 S",
"1949 1949 4 1 7 0 0 1 D",
"1950 1950 3 16 7 0 0 1 D",
"1950 1950 8 15 7 3 0 0 S",
"1951 1951 3 1 7 0 0 1 D",
"1951 1951 10 11 7 3 0 0 S",
"1952 1952 3 20 7 2 0 1 D",
"1952 1952 9 19 7 3 0 0 S",
"1953 1953 3 12 7 2 0 1 D",
"1953 1953 8 13 7 3 0 0 S",
"1954 1954 5 13 7 0 0 1 D",
"1954 1954 8 12 7 0 0 0 S",
"1955 1955 5 11 7 2 0 1 D",
"1955 1955 8 11 7 0 0 0 S",
"1956 1956 5 3 7 0 0 1 D",
"1956 1956 8 30 7 3 0 0 S",
"1957 1957 3 29 7 2 0 1 D",
"1957 1957 8 22 7 0 0 0 S",
"1974 1974 6 7 7 0 0 1 D",
"1974 1974 9 13 7 0 0 0 S",
"1975 1975 3 20 7 0 0 1 D",
"1975 1975 7 31 7 0 0 0 S",
"1985 1985 3 14 7 0 0 1 D",
"1985 1985 8 15 7 0 0 0 S",
"1986 1986 4 18 7 0 0 1 D",
"1986 1986 8 7 7 0 0 0 S",
"1987 1987 3 15 7 0 0 1 D",
"1987 1987 8 13 7 0 0 0 S",
"1988 1988 3 9 7 0 0 1 D",
"1988 1988 8 3 7 0 0 0 S",
"1989 1989 3 30 7 0 0 1 D",
"1989 1989 8 3 7 0 0 0 S",
"1990 1990 2 25 7 0 0 1 D",
"1990 1990 7 26 7 0 0 0 S",
"1991 1991 2 24 7 0 0 1 D",
"1991 1991 8 1 7 0 0 0 S",
"1992 1992 2 29 7 0 0 1 D",
"1992 1992 8 6 7 0 0 0 S",
"1993 1993 3 2 7 0 0 1 D",
"1993 1993 8 5 7 0 0 0 S",
"1994 1994 3 1 7 0 0 1 D",
"1994 1994 7 28 7 0 0 0 S",
"1995 1995 2 31 7 0 0 1 D",
"1995 1995 8 3 7 0 0 0 S",
"1996 1996 2 15 7 0 0 1 D",
"1996 1996 8 16 7 0 0 0 S",
"1997 1997 2 21 7 0 0 1 D",
"1997 1997 8 14 7 0 0 0 S",
"1998 1998 2 20 7 0 0 1 D",
"1998 1998 8 6 7 0 0 0 S",
"1999 1999 3 2 7 2 0 1 D",
"1999 1999 8 3 7 2 0 0 S",
"2000 2000 3 14 7 2 0 1 D",
"2000 2000 9 6 7 1 0 0 S",
"2001 2001 3 9 7 1 0 1 D",
"2001 2001 8 24 7 1 0 0 S",
"2002 2002 2 29 7 1 0 1 D",
"2002 2002 9 7 7 1 0 0 S",
"2003 2003 2 28 7 1 0 1 D",
"2003 2003 9 3 7 1 0 0 S",
"2004 2004 3 7 7 1 0 1 D",
"2004 2004 8 22 7 1 0 0 S",
"2005 2005 3 1 7 2 0 1 D",
"2005 2005 9 9 7 2 0 0 S",
"2006 2010 2 26 5 2 0 1 D",
"2006 2006 9 1 7 2 0 0 S",
"2007 2007 8 16 7 2 0 0 S",
"2008 2008 9 5 7 2 0 0 S",
"2009 2009 8 27 7 2 0 0 S",
"2010 2010 8 12 7 2 0 0 S",
"2011 2011 3 1 7 2 0 1 D",
"2011 2011 9 2 7 2 0 0 S",
"2012 2012 2 26 5 2 0 1 D",
"2012 2012 8 23 7 2 0 0 S",
"2013 9999 2 23 5 2 0 1 D",
"2013 2026 9 2 0 2 0 0 S",
"2027 2027 9 3 1 2 0 0 S",
"2028 9999 9 2 0 2 0 0 S"
],
"EgyptAsia": [
"1957 1957 4 10 7 0 0 1 S",
"1957 1958 9 1 7 0 0 0",
"1958 1958 4 1 7 0 0 1 S",
"1959 1967 4 1 7 1 0 1 S",
"1959 1965 8 30 7 3 0 0",
"1966 1966 9 1 7 3 0 0"
],
"Palestine": [
"1999 2005 3 15 5 0 0 1 S",
"1999 2003 9 15 5 0 0 0",
"2004 2004 9 1 7 1 0 0",
"2005 2005 9 4 7 2 0 0",
"2006 2007 3 1 7 0 0 1 S",
"2006 2006 8 22 7 0 0 0",
"2007 2007 8 8 4 2 0 0",
"2008 2009 2 5 8 0 0 1 S",
"2008 2008 8 1 7 0 0 0",
"2009 2009 8 1 5 1 0 0",
"2010 2010 2 26 7 0 0 1 S",
"2010 2010 7 11 7 0 0 0",
"2011 2011 3 1 7 0:1 0 1 S",
"2011 2011 7 1 7 0 0 0",
"2011 2011 7 30 7 0 0 1 S",
"2011 2011 8 30 7 0 0 0",
"2012 9999 2 4 8 24 0 1 S",
"2012 9999 8 21 5 1 0 0"
],
"HK": [
"1941 1941 3 1 7 3:30 0 1 S",
"1941 1941 8 30 7 3:30 0 0",
"1946 1946 3 20 7 3:30 0 1 S",
"1946 1946 11 1 7 3:30 0 0",
"1947 1947 3 13 7 3:30 0 1 S",
"1947 1947 11 30 7 3:30 0 0",
"1948 1948 4 2 7 3:30 0 1 S",
"1948 1951 9 0 8 3:30 0 0",
"1952 1952 9 25 7 3:30 0 0",
"1949 1953 3 1 0 3:30 0 1 S",
"1953 1953 10 1 7 3:30 0 0",
"1954 1964 2 18 0 3:30 0 1 S",
"1954 1954 9 31 7 3:30 0 0",
"1955 1964 10 1 0 3:30 0 0",
"1965 1976 3 16 0 3:30 0 1 S",
"1965 1976 9 16 0 3:30 0 0",
"1973 1973 11 30 7 3:30 0 1 S",
"1979 1979 4 8 0 3:30 0 1 S",
"1979 1979 9 16 0 3:30 0 0"
],
"Pakistan": [
"2002 2002 3 2 0 0:1 0 1 S",
"2002 2002 9 2 0 0:1 0 0",
"2008 2008 5 1 7 0 0 1 S",
"2008 2008 10 1 7 0 0 0",
"2009 2009 3 15 7 0 0 1 S",
"2009 2009 10 1 7 0 0 0"
],
"NBorneo": [
"1935 1941 8 14 7 0 0 0:20 TS",
"1935 1941 11 14 7 0 0 0"
],
"Macau": [
"1961 1962 2 16 0 3:30 0 1 S",
"1961 1964 10 1 0 3:30 0 0",
"1963 1963 2 16 0 0 0 1 S",
"1964 1964 2 16 0 3:30 0 1 S",
"1965 1965 2 16 0 0 0 1 S",
"1965 1965 9 31 7 0 0 0",
"1966 1971 3 16 0 3:30 0 1 S",
"1966 1971 9 16 0 3:30 0 0",
"1972 1974 3 15 0 0 0 1 S",
"1972 1973 9 15 0 0 0 0",
"1974 1977 9 15 0 3:30 0 0",
"1975 1977 3 15 0 3:30 0 1 S",
"1978 1980 3 15 0 0 0 1 S",
"1978 1980 9 15 0 0 0 0"
],
"Phil": [
"1936 1936 10 1 7 0 0 1 S",
"1937 1937 1 1 7 0 0 0",
"1954 1954 3 12 7 0 0 1 S",
"1954 1954 6 1 7 0 0 0",
"1978 1978 2 22 7 0 0 1 S",
"1978 1978 8 21 7 0 0 0"
],
"Cyprus": [
"1975 1975 3 13 7 0 0 1 S",
"1975 1975 9 12 7 0 0 0",
"1976 1976 4 15 7 0 0 1 S",
"1976 1976 9 11 7 0 0 0",
"1977 1980 3 1 0 0 0 1 S",
"1977 1977 8 25 7 0 0 0",
"1978 1978 9 2 7 0 0 0",
"1979 1997 8 0 8 0 0 0",
"1981 1998 2 0 8 0 0 1 S"
],
"ROK": [
"1960 1960 4 15 7 0 0 1 D",
"1960 1960 8 13 7 0 0 0 S",
"1987 1988 4 8 0 0 0 1 D",
"1987 1988 9 8 0 0 0 0 S"
],
"Shang": [
"1940 1940 5 3 7 0 0 1 D",
"1940 1941 9 1 7 0 0 0 S",
"1941 1941 2 16 7 0 0 1 D"
],
"Taiwan": [
"1945 1951 4 1 7 0 0 1 D",
"1945 1951 9 1 7 0 0 0 S",
"1952 1952 2 1 7 0 0 1 D",
"1952 1954 10 1 7 0 0 0 S",
"1953 1959 3 1 7 0 0 1 D",
"1955 1961 9 1 7 0 0 0 S",
"1960 1961 5 1 7 0 0 1 D",
"1974 1975 3 1 7 0 0 1 D",
"1974 1975 9 1 7 0 0 0 S",
"1979 1979 5 30 7 0 0 1 D",
"1979 1979 8 30 7 0 0 0 S"
],
"E-EurAsia": [
"1981 9999 2 0 8 0 0 1 S",
"1979 1995 8 0 8 0 0 0",
"1996 9999 9 0 8 0 0 0"
],
"Iran": [
"1978 1980 2 21 7 0 0 1 D",
"1978 1978 9 21 7 0 0 0 S",
"1979 1979 8 19 7 0 0 0 S",
"1980 1980 8 23 7 0 0 0 S",
"1991 1991 4 3 7 0 0 1 D",
"1992 1995 2 22 7 0 0 1 D",
"1991 1995 8 22 7 0 0 0 S",
"1996 1996 2 21 7 0 0 1 D",
"1996 1996 8 21 7 0 0 0 S",
"1997 1999 2 22 7 0 0 1 D",
"1997 1999 8 22 7 0 0 0 S",
"2000 2000 2 21 7 0 0 1 D",
"2000 2000 8 21 7 0 0 0 S",
"2001 2003 2 22 7 0 0 1 D",
"2001 2003 8 22 7 0 0 0 S",
"2004 2004 2 21 7 0 0 1 D",
"2004 2004 8 21 7 0 0 0 S",
"2005 2005 2 22 7 0 0 1 D",
"2005 2005 8 22 7 0 0 0 S",
"2008 2008 2 21 7 0 0 1 D",
"2008 2008 8 21 7 0 0 0 S",
"2009 2011 2 22 7 0 0 1 D",
"2009 2011 8 22 7 0 0 0 S",
"2012 2012 2 21 7 0 0 1 D",
"2012 2012 8 21 7 0 0 0 S",
"2013 2015 2 22 7 0 0 1 D",
"2013 2015 8 22 7 0 0 0 S",
"2016 2016 2 21 7 0 0 1 D",
"2016 2016 8 21 7 0 0 0 S",
"2017 2019 2 22 7 0 0 1 D",
"2017 2019 8 22 7 0 0 0 S",
"2020 2020 2 21 7 0 0 1 D",
"2020 2020 8 21 7 0 0 0 S",
"2021 2023 2 22 7 0 0 1 D",
"2021 2023 8 22 7 0 0 0 S",
"2024 2024 2 21 7 0 0 1 D",
"2024 2024 8 21 7 0 0 0 S",
"2025 2027 2 22 7 0 0 1 D",
"2025 2027 8 22 7 0 0 0 S",
"2028 2029 2 21 7 0 0 1 D",
"2028 2029 8 21 7 0 0 0 S",
"2030 2031 2 22 7 0 0 1 D",
"2030 2031 8 22 7 0 0 0 S",
"2032 2033 2 21 7 0 0 1 D",
"2032 2033 8 21 7 0 0 0 S",
"2034 2035 2 22 7 0 0 1 D",
"2034 2035 8 22 7 0 0 0 S",
"2036 2037 2 21 7 0 0 1 D",
"2036 2037 8 21 7 0 0 0 S"
],
"Japan": [
"1948 1948 4 1 0 2 0 1 D",
"1948 1951 8 8 6 2 0 0 S",
"1949 1949 3 1 0 2 0 1 D",
"1950 1951 4 1 0 2 0 1 D"
],
"Port": [
"1916 1916 5 17 7 23 0 1 S",
"1916 1916 10 1 7 1 0 0",
"1917 1917 1 28 7 23 2 1 S",
"1917 1921 9 14 7 23 2 0",
"1918 1918 2 1 7 23 2 1 S",
"1919 1919 1 28 7 23 2 1 S",
"1920 1920 1 29 7 23 2 1 S",
"1921 1921 1 28 7 23 2 1 S",
"1924 1924 3 16 7 23 2 1 S",
"1924 1924 9 14 7 23 2 0",
"1926 1926 3 17 7 23 2 1 S",
"1926 1929 9 1 6 23 2 0",
"1927 1927 3 9 7 23 2 1 S",
"1928 1928 3 14 7 23 2 1 S",
"1929 1929 3 20 7 23 2 1 S",
"1931 1931 3 18 7 23 2 1 S",
"1931 1932 9 1 6 23 2 0",
"1932 1932 3 2 7 23 2 1 S",
"1934 1934 3 7 7 23 2 1 S",
"1934 1938 9 1 6 23 2 0",
"1935 1935 2 30 7 23 2 1 S",
"1936 1936 3 18 7 23 2 1 S",
"1937 1937 3 3 7 23 2 1 S",
"1938 1938 2 26 7 23 2 1 S",
"1939 1939 3 15 7 23 2 1 S",
"1939 1939 10 18 7 23 2 0",
"1940 1940 1 24 7 23 2 1 S",
"1940 1941 9 5 7 23 2 0",
"1941 1941 3 5 7 23 2 1 S",
"1942 1945 2 8 6 23 2 1 S",
"1942 1942 3 25 7 22 2 2 M",
"1942 1942 7 15 7 22 2 1 S",
"1942 1945 9 24 6 23 2 0",
"1943 1943 3 17 7 22 2 2 M",
"1943 1945 7 25 6 22 2 1 S",
"1944 1945 3 21 6 22 2 2 M",
"1946 1946 3 1 6 23 2 1 S",
"1946 1946 9 1 6 23 2 0",
"1947 1949 3 1 0 2 2 1 S",
"1947 1949 9 1 0 2 2 0",
"1951 1965 3 1 0 2 2 1 S",
"1951 1965 9 1 0 2 2 0",
"1977 1977 2 27 7 0 2 1 S",
"1977 1977 8 25 7 0 2 0",
"1978 1979 3 1 0 0 2 1 S",
"1978 1978 9 1 7 0 2 0",
"1979 1982 8 0 8 1 2 0",
"1980 1980 2 0 8 0 2 1 S",
"1981 1982 2 0 8 1 2 1 S",
"1983 1983 2 0 8 2 2 1 S"
],
"W-Eur": [
"1977 1980 3 1 0 1 2 1 S",
"1977 1977 8 0 8 1 2 0",
"1978 1978 9 1 7 1 2 0",
"1979 1995 8 0 8 1 2 0",
"1981 9999 2 0 8 1 2 1 S",
"1996 9999 9 0 8 1 2 0"
],
"Iceland": [
"1917 1918 1 19 7 23 0 1 S",
"1917 1917 9 21 7 1 0 0",
"1918 1918 10 16 7 1 0 0",
"1939 1939 3 29 7 23 0 1 S",
"1939 1939 10 29 7 2 0 0",
"1940 1940 1 25 7 2 0 1 S",
"1940 1940 10 3 7 2 0 0",
"1941 1941 2 2 7 1 2 1 S",
"1941 1941 10 2 7 1 2 0",
"1942 1942 2 8 7 1 2 1 S",
"1942 1942 9 25 7 1 2 0",
"1943 1946 2 1 0 1 2 1 S",
"1943 1948 9 22 0 1 2 0",
"1947 1967 3 1 0 1 2 1 S",
"1949 1949 9 30 7 1 2 0",
"1950 1966 9 22 0 1 2 0",
"1967 1967 9 29 7 1 2 0"
],
"Falk": [
"1937 1938 8 0 8 0 0 1 S",
"1938 1942 2 19 0 0 0 0",
"1939 1939 9 1 7 0 0 1 S",
"1940 1942 8 0 8 0 0 1 S",
"1943 1943 0 1 7 0 0 0",
"1983 1983 8 0 8 0 0 1 S",
"1984 1985 3 0 8 0 0 0",
"1984 1984 8 16 7 0 0 1 S",
"1985 2000 8 9 0 0 0 1 S",
"1986 2000 3 16 0 0 0 0",
"2001 2010 3 15 0 2 0 0",
"2001 2010 8 1 0 2 0 1 S"
],
"AS": [
"1971 1985 9 0 8 2 2 1",
"1986 1986 9 19 7 2 2 1",
"1987 2007 9 0 8 2 2 1",
"1972 1972 1 27 7 2 2 0",
"1973 1985 2 1 0 2 2 0",
"1986 1990 2 15 0 2 2 0",
"1991 1991 2 3 7 2 2 0",
"1992 1992 2 22 7 2 2 0",
"1993 1993 2 7 7 2 2 0",
"1994 1994 2 20 7 2 2 0",
"1995 2005 2 0 8 2 2 0",
"2006 2006 3 2 7 2 2 0",
"2007 2007 2 0 8 2 2 0",
"2008 9999 3 1 0 2 2 0",
"2008 9999 9 1 0 2 2 1"
],
"AQ": [
"1971 1971 9 0 8 2 2 1",
"1972 1972 1 0 8 2 2 0",
"1989 1991 9 0 8 2 2 1",
"1990 1992 2 1 0 2 2 0"
],
"AN": [
"1971 1985 9 0 8 2 2 1",
"1972 1972 1 27 7 2 2 0",
"1973 1981 2 1 0 2 2 0",
"1982 1982 3 1 0 2 2 0",
"1983 1985 2 1 0 2 2 0",
"1986 1989 2 15 0 2 2 0",
"1986 1986 9 19 7 2 2 1",
"1987 1999 9 0 8 2 2 1",
"1990 1995 2 1 0 2 2 0",
"1996 2005 2 0 8 2 2 0",
"2000 2000 7 0 8 2 2 1",
"2001 2007 9 0 8 2 2 1",
"2006 2006 3 1 0 2 2 0",
"2007 2007 2 0 8 2 2 0",
"2008 9999 3 1 0 2 2 0",
"2008 9999 9 1 0 2 2 1"
],
"AW": [
"1974 1974 9 0 8 2 2 1",
"1975 1975 2 1 0 2 2 0",
"1983 1983 9 0 8 2 2 1",
"1984 1984 2 1 0 2 2 0",
"1991 1991 10 17 7 2 2 1",
"1992 1992 2 1 0 2 2 0",
"2006 2006 11 3 7 2 2 1",
"2007 2009 2 0 8 2 2 0",
"2007 2008 9 0 8 2 2 1"
],
"Holiday": [
"1992 1993 9 0 8 2 2 1",
"1993 1994 2 1 0 2 2 0"
],
"LH": [
"1981 1984 9 0 8 2 0 1",
"1982 1985 2 1 0 2 0 0",
"1985 1985 9 0 8 2 0 0:30",
"1986 1989 2 15 0 2 0 0",
"1986 1986 9 19 7 2 0 0:30",
"1987 1999 9 0 8 2 0 0:30",
"1990 1995 2 1 0 2 0 0",
"1996 2005 2 0 8 2 0 0",
"2000 2000 7 0 8 2 0 0:30",
"2001 2007 9 0 8 2 0 0:30",
"2006 2006 3 1 0 2 0 0",
"2007 2007 2 0 8 2 0 0",
"2008 9999 3 1 0 2 0 0",
"2008 9999 9 1 0 2 0 0:30"
],
"AV": [
"1971 1985 9 0 8 2 2 1",
"1972 1972 1 0 8 2 2 0",
"1973 1985 2 1 0 2 2 0",
"1986 1990 2 15 0 2 2 0",
"1986 1987 9 15 0 2 2 1",
"1988 1999 9 0 8 2 2 1",
"1991 1994 2 1 0 2 2 0",
"1995 2005 2 0 8 2 2 0",
"2000 2000 7 0 8 2 2 1",
"2001 2007 9 0 8 2 2 1",
"2006 2006 3 1 0 2 2 0",
"2007 2007 2 0 8 2 2 0",
"2008 9999 3 1 0 2 2 0",
"2008 9999 9 1 0 2 2 1"
],
"Neth": [
"1916 1916 4 1 7 0 0 1 NST",
"1916 1916 9 1 7 0 0 0 AMT",
"1917 1917 3 16 7 2 2 1 NST",
"1917 1917 8 17 7 2 2 0 AMT",
"1918 1921 3 1 1 2 2 1 NST",
"1918 1921 8 1 8 2 2 0 AMT",
"1922 1922 2 0 8 2 2 1 NST",
"1922 1936 9 2 0 2 2 0 AMT",
"1923 1923 5 1 5 2 2 1 NST",
"1924 1924 2 0 8 2 2 1 NST",
"1925 1925 5 1 5 2 2 1 NST",
"1926 1931 4 15 7 2 2 1 NST",
"1932 1932 4 22 7 2 2 1 NST",
"1933 1936 4 15 7 2 2 1 NST",
"1937 1937 4 22 7 2 2 1 NST",
"1937 1937 6 1 7 0 0 1 S",
"1937 1939 9 2 0 2 2 0",
"1938 1939 4 15 7 2 2 1 S",
"1945 1945 3 2 7 2 2 1 S",
"1945 1945 8 16 7 2 2 0"
],
"Greece": [
"1932 1932 6 7 7 0 0 1 S",
"1932 1932 8 1 7 0 0 0",
"1941 1941 3 7 7 0 0 1 S",
"1942 1942 10 2 7 3 0 0",
"1943 1943 2 30 7 0 0 1 S",
"1943 1943 9 4 7 0 0 0",
"1952 1952 6 1 7 0 0 1 S",
"1952 1952 10 2 7 0 0 0",
"1975 1975 3 12 7 0 2 1 S",
"1975 1975 10 26 7 0 2 0",
"1976 1976 3 11 7 2 2 1 S",
"1976 1976 9 10 7 2 2 0",
"1977 1978 3 1 0 2 2 1 S",
"1977 1977 8 26 7 2 2 0",
"1978 1978 8 24 7 4 0 0",
"1979 1979 3 1 7 9 0 1 S",
"1979 1979 8 29 7 2 0 0",
"1980 1980 3 1 7 0 0 1 S",
"1980 1980 8 28 7 0 0 0"
],
"SovietZone": [
"1945 1945 4 24 7 2 0 2 M",
"1945 1945 8 24 7 3 0 1 S",
"1945 1945 10 18 7 2 2 0"
],
"Germany": [
"1946 1946 3 14 7 2 2 1 S",
"1946 1946 9 7 7 2 2 0",
"1947 1949 9 1 0 2 2 0",
"1947 1947 3 6 7 3 2 1 S",
"1947 1947 4 11 7 2 2 2 M",
"1947 1947 5 29 7 3 0 1 S",
"1948 1948 3 18 7 2 2 1 S",
"1949 1949 3 10 7 2 2 1 S"
],
"Czech": [
"1945 1945 3 8 7 2 2 1 S",
"1945 1945 10 18 7 2 2 0",
"1946 1946 4 6 7 2 2 1 S",
"1946 1949 9 1 0 2 2 0",
"1947 1947 3 20 7 2 2 1 S",
"1948 1948 3 18 7 2 2 1 S",
"1949 1949 3 9 7 2 2 1 S"
],
"Belgium": [
"1918 1918 2 9 7 0 2 1 S",
"1918 1919 9 1 6 23 2 0",
"1919 1919 2 1 7 23 2 1 S",
"1920 1920 1 14 7 23 2 1 S",
"1920 1920 9 23 7 23 2 0",
"1921 1921 2 14 7 23 2 1 S",
"1921 1921 9 25 7 23 2 0",
"1922 1922 2 25 7 23 2 1 S",
"1922 1927 9 1 6 23 2 0",
"1923 1923 3 21 7 23 2 1 S",
"1924 1924 2 29 7 23 2 1 S",
"1925 1925 3 4 7 23 2 1 S",
"1926 1926 3 17 7 23 2 1 S",
"1927 1927 3 9 7 23 2 1 S",
"1928 1928 3 14 7 23 2 1 S",
"1928 1938 9 2 0 2 2 0",
"1929 1929 3 21 7 2 2 1 S",
"1930 1930 3 13 7 2 2 1 S",
"1931 1931 3 19 7 2 2 1 S",
"1932 1932 3 3 7 2 2 1 S",
"1933 1933 2 26 7 2 2 1 S",
"1934 1934 3 8 7 2 2 1 S",
"1935 1935 2 31 7 2 2 1 S",
"1936 1936 3 19 7 2 2 1 S",
"1937 1937 3 4 7 2 2 1 S",
"1938 1938 2 27 7 2 2 1 S",
"1939 1939 3 16 7 2 2 1 S",
"1939 1939 10 19 7 2 2 0",
"1940 1940 1 25 7 2 2 1 S",
"1944 1944 8 17 7 2 2 0",
"1945 1945 3 2 7 2 2 1 S",
"1945 1945 8 16 7 2 2 0",
"1946 1946 4 19 7 2 2 1 S",
"1946 1946 9 7 7 2 2 0"
],
"Romania": [
"1932 1932 4 21 7 0 2 1 S",
"1932 1939 9 1 0 0 2 0",
"1933 1939 3 2 0 0 2 1 S",
"1979 1979 4 27 7 0 0 1 S",
"1979 1979 8 0 8 0 0 0",
"1980 1980 3 5 7 23 0 1 S",
"1980 1980 8 0 8 1 0 0",
"1991 1993 2 0 8 0 2 1 S",
"1991 1993 8 0 8 0 2 0"
],
"E-Eur": [
"1977 1980 3 1 0 0 0 1 S",
"1977 1977 8 0 8 0 0 0",
"1978 1978 9 1 7 0 0 0",
"1979 1995 8 0 8 0 0 0",
"1981 9999 2 0 8 0 0 1 S",
"1996 9999 9 0 8 0 0 0"
],
"Hungary": [
"1918 1918 3 1 7 3 0 1 S",
"1918 1918 8 29 7 3 0 0",
"1919 1919 3 15 7 3 0 1 S",
"1919 1919 8 15 7 3 0 0",
"1920 1920 3 5 7 3 0 1 S",
"1920 1920 8 30 7 3 0 0",
"1945 1945 4 1 7 23 0 1 S",
"1945 1945 10 3 7 0 0 0",
"1946 1946 2 31 7 2 2 1 S",
"1946 1949 9 1 0 2 2 0",
"1947 1949 3 4 0 2 2 1 S",
"1950 1950 3 17 7 2 2 1 S",
"1950 1950 9 23 7 2 2 0",
"1954 1955 4 23 7 0 0 1 S",
"1954 1955 9 3 7 0 0 0",
"1956 1956 5 1 0 0 0 1 S",
"1956 1956 8 0 8 0 0 0",
"1957 1957 5 1 0 1 0 1 S",
"1957 1957 8 0 8 3 0 0",
"1980 1980 3 6 7 1 0 1 S"
],
"Swiss": [
"1941 1942 4 1 1 1 0 1 S",
"1941 1942 9 1 1 2 0 0"
],
"Denmark": [
"1916 1916 4 14 7 23 0 1 S",
"1916 1916 8 30 7 23 0 0",
"1940 1940 4 15 7 0 0 1 S",
"1945 1945 3 2 7 2 2 1 S",
"1945 1945 7 15 7 2 2 0",
"1946 1946 4 1 7 2 2 1 S",
"1946 1946 8 1 7 2 2 0",
"1947 1947 4 4 7 2 2 1 S",
"1947 1947 7 10 7 2 2 0",
"1948 1948 4 9 7 2 2 1 S",
"1948 1948 7 8 7 2 2 0"
],
"GB-Eire": [
"1916 1916 4 21 7 2 2 1 BST",
"1916 1916 9 1 7 2 2 0 GMT",
"1917 1917 3 8 7 2 2 1 BST",
"1917 1917 8 17 7 2 2 0 GMT",
"1918 1918 2 24 7 2 2 1 BST",
"1918 1918 8 30 7 2 2 0 GMT",
"1919 1919 2 30 7 2 2 1 BST",
"1919 1919 8 29 7 2 2 0 GMT",
"1920 1920 2 28 7 2 2 1 BST",
"1920 1920 9 25 7 2 2 0 GMT",
"1921 1921 3 3 7 2 2 1 BST",
"1921 1921 9 3 7 2 2 0 GMT",
"1922 1922 2 26 7 2 2 1 BST",
"1922 1922 9 8 7 2 2 0 GMT",
"1923 1923 3 16 0 2 2 1 BST",
"1923 1924 8 16 0 2 2 0 GMT",
"1924 1924 3 9 0 2 2 1 BST",
"1925 1926 3 16 0 2 2 1 BST",
"1925 1938 9 2 0 2 2 0 GMT",
"1927 1927 3 9 0 2 2 1 BST",
"1928 1929 3 16 0 2 2 1 BST",
"1930 1930 3 9 0 2 2 1 BST",
"1931 1932 3 16 0 2 2 1 BST",
"1933 1933 3 9 0 2 2 1 BST",
"1934 1934 3 16 0 2 2 1 BST",
"1935 1935 3 9 0 2 2 1 BST",
"1936 1937 3 16 0 2 2 1 BST",
"1938 1938 3 9 0 2 2 1 BST",
"1939 1939 3 16 0 2 2 1 BST",
"1939 1939 10 16 0 2 2 0 GMT",
"1940 1940 1 23 0 2 2 1 BST",
"1941 1941 4 2 0 1 2 2 BDST",
"1941 1943 7 9 0 1 2 1 BST",
"1942 1944 3 2 0 1 2 2 BDST",
"1944 1944 8 16 0 1 2 1 BST",
"1945 1945 3 2 1 1 2 2 BDST",
"1945 1945 6 9 0 1 2 1 BST",
"1945 1946 9 2 0 2 2 0 GMT",
"1946 1946 3 9 0 2 2 1 BST",
"1947 1947 2 16 7 2 2 1 BST",
"1947 1947 3 13 7 1 2 2 BDST",
"1947 1947 7 10 7 1 2 1 BST",
"1947 1947 10 2 7 2 2 0 GMT",
"1948 1948 2 14 7 2 2 1 BST",
"1948 1948 9 31 7 2 2 0 GMT",
"1949 1949 3 3 7 2 2 1 BST",
"1949 1949 9 30 7 2 2 0 GMT",
"1950 1952 3 14 0 2 2 1 BST",
"1950 1952 9 21 0 2 2 0 GMT",
"1953 1953 3 16 0 2 2 1 BST",
"1953 1960 9 2 0 2 2 0 GMT",
"1954 1954 3 9 0 2 2 1 BST",
"1955 1956 3 16 0 2 2 1 BST",
"1957 1957 3 9 0 2 2 1 BST",
"1958 1959 3 16 0 2 2 1 BST",
"1960 1960 3 9 0 2 2 1 BST",
"1961 1963 2 0 8 2 2 1 BST",
"1961 1968 9 23 0 2 2 0 GMT",
"1964 1967 2 19 0 2 2 1 BST",
"1968 1968 1 18 7 2 2 1 BST",
"1972 1980 2 16 0 2 2 1 BST",
"1972 1980 9 23 0 2 2 0 GMT",
"1981 1995 2 0 8 1 1 1 BST",
"1981 1989 9 23 0 1 1 0 GMT",
"1990 1995 9 22 0 1 1 0 GMT"
],
"Finland": [
"1942 1942 3 3 7 0 0 1 S",
"1942 1942 9 3 7 0 0 0",
"1981 1982 2 0 8 2 0 1 S",
"1981 1982 8 0 8 3 0 0"
],
"Turkey": [
"1916 1916 4 1 7 0 0 1 S",
"1916 1916 9 1 7 0 0 0",
"1920 1920 2 28 7 0 0 1 S",
"1920 1920 9 25 7 0 0 0",
"1921 1921 3 3 7 0 0 1 S",
"1921 1921 9 3 7 0 0 0",
"1922 1922 2 26 7 0 0 1 S",
"1922 1922 9 8 7 0 0 0",
"1924 1924 4 13 7 0 0 1 S",
"1924 1925 9 1 7 0 0 0",
"1925 1925 4 1 7 0 0 1 S",
"1940 1940 5 30 7 0 0 1 S",
"1940 1940 9 5 7 0 0 0",
"1940 1940 11 1 7 0 0 1 S",
"1941 1941 8 21 7 0 0 0",
"1942 1942 3 1 7 0 0 1 S",
"1942 1942 10 1 7 0 0 0",
"1945 1945 3 2 7 0 0 1 S",
"1945 1945 9 8 7 0 0 0",
"1946 1946 5 1 7 0 0 1 S",
"1946 1946 9 1 7 0 0 0",
"1947 1948 3 16 0 0 0 1 S",
"1947 1950 9 2 0 0 0 0",
"1949 1949 3 10 7 0 0 1 S",
"1950 1950 3 19 7 0 0 1 S",
"1951 1951 3 22 7 0 0 1 S",
"1951 1951 9 8 7 0 0 0",
"1962 1962 6 15 7 0 0 1 S",
"1962 1962 9 8 7 0 0 0",
"1964 1964 4 15 7 0 0 1 S",
"1964 1964 9 1 7 0 0 0",
"1970 1972 4 2 0 0 0 1 S",
"1970 1972 9 2 0 0 0 0",
"1973 1973 5 3 7 1 0 1 S",
"1973 1973 10 4 7 3 0 0",
"1974 1974 2 31 7 2 0 1 S",
"1974 1974 10 3 7 5 0 0",
"1975 1975 2 30 7 0 0 1 S",
"1975 1976 9 0 8 0 0 0",
"1976 1976 5 1 7 0 0 1 S",
"1977 1978 3 1 0 0 0 1 S",
"1977 1977 9 16 7 0 0 0",
"1979 1980 3 1 0 3 0 1 S",
"1979 1982 9 11 1 0 0 0",
"1981 1982 2 0 8 3 0 1 S",
"1983 1983 6 31 7 0 0 1 S",
"1983 1983 9 2 7 0 0 0",
"1985 1985 3 20 7 0 0 1 S",
"1985 1985 8 28 7 0 0 0",
"1986 1990 2 0 8 2 2 1 S",
"1986 1990 8 0 8 2 2 0",
"1991 2006 2 0 8 1 2 1 S",
"1991 1995 8 0 8 1 2 0",
"1996 2006 9 0 8 1 2 0"
],
"Poland": [
"1918 1919 8 16 7 2 2 0",
"1919 1919 3 15 7 2 2 1 S",
"1944 1944 3 3 7 2 2 1 S",
"1944 1944 9 4 7 2 0 0",
"1945 1945 3 29 7 0 0 1 S",
"1945 1945 10 1 7 0 0 0",
"1946 1946 3 14 7 0 2 1 S",
"1946 1946 9 7 7 2 2 0",
"1947 1947 4 4 7 2 2 1 S",
"1947 1949 9 1 0 2 2 0",
"1948 1948 3 18 7 2 2 1 S",
"1949 1949 3 10 7 2 2 1 S",
"1957 1957 5 2 7 1 2 1 S",
"1957 1958 8 0 8 1 2 0",
"1958 1958 2 30 7 1 2 1 S",
"1959 1959 4 31 7 1 2 1 S",
"1959 1961 9 1 0 1 2 0",
"1960 1960 3 3 7 1 2 1 S",
"1961 1964 4 0 8 1 2 1 S",
"1962 1964 8 0 8 1 2 0"
],
"Lux": [
"1916 1916 4 14 7 23 0 1 S",
"1916 1916 9 1 7 1 0 0",
"1917 1917 3 28 7 23 0 1 S",
"1917 1917 8 17 7 1 0 0",
"1918 1918 3 15 1 2 2 1 S",
"1918 1918 8 15 1 2 2 0",
"1919 1919 2 1 7 23 0 1 S",
"1919 1919 9 5 7 3 0 0",
"1920 1920 1 14 7 23 0 1 S",
"1920 1920 9 24 7 2 0 0",
"1921 1921 2 14 7 23 0 1 S",
"1921 1921 9 26 7 2 0 0",
"1922 1922 2 25 7 23 0 1 S",
"1922 1922 9 2 0 1 0 0",
"1923 1923 3 21 7 23 0 1 S",
"1923 1923 9 2 0 2 0 0",
"1924 1924 2 29 7 23 0 1 S",
"1924 1928 9 2 0 1 0 0",
"1925 1925 3 5 7 23 0 1 S",
"1926 1926 3 17 7 23 0 1 S",
"1927 1927 3 9 7 23 0 1 S",
"1928 1928 3 14 7 23 0 1 S",
"1929 1929 3 20 7 23 0 1 S"
],
"Italy": [
"1916 1916 5 3 7 0 2 1 S",
"1916 1916 9 1 7 0 2 0",
"1917 1917 3 1 7 0 2 1 S",
"1917 1917 8 30 7 0 2 0",
"1918 1918 2 10 7 0 2 1 S",
"1918 1919 9 1 0 0 2 0",
"1919 1919 2 2 7 0 2 1 S",
"1920 1920 2 21 7 0 2 1 S",
"1920 1920 8 19 7 0 2 0",
"1940 1940 5 15 7 0 2 1 S",
"1944 1944 8 17 7 0 2 0",
"1945 1945 3 2 7 2 0 1 S",
"1945 1945 8 15 7 0 2 0",
"1946 1946 2 17 7 2 2 1 S",
"1946 1946 9 6 7 2 2 0",
"1947 1947 2 16 7 0 2 1 S",
"1947 1947 9 5 7 0 2 0",
"1948 1948 1 29 7 2 2 1 S",
"1948 1948 9 3 7 2 2 0",
"1966 1968 4 22 0 0 0 1 S",
"1966 1969 8 22 0 0 0 0",
"1969 1969 5 1 7 0 0 1 S",
"1970 1970 4 31 7 0 0 1 S",
"1970 1970 8 0 8 0 0 0",
"1971 1972 4 22 0 0 0 1 S",
"1971 1971 8 0 8 1 0 0",
"1972 1972 9 1 7 0 0 0",
"1973 1973 5 3 7 0 0 1 S",
"1973 1974 8 0 8 0 0 0",
"1974 1974 4 26 7 0 0 1 S",
"1975 1975 5 1 7 0 2 1 S",
"1975 1977 8 0 8 0 2 0",
"1976 1976 4 30 7 0 2 1 S",
"1977 1979 4 22 0 0 2 1 S",
"1978 1978 9 1 7 0 2 0",
"1979 1979 8 30 7 0 2 0"
],
"Malta": [
"1973 1973 2 31 7 0 2 1 S",
"1973 1973 8 29 7 0 2 0",
"1974 1974 3 21 7 0 2 1 S",
"1974 1974 8 16 7 0 2 0",
"1975 1979 3 15 0 2 0 1 S",
"1975 1980 8 15 0 2 0 0",
"1980 1980 2 31 7 2 0 1 S"
],
"France": [
"1916 1916 5 14 7 23 2 1 S",
"1916 1919 9 1 0 23 2 0",
"1917 1917 2 24 7 23 2 1 S",
"1918 1918 2 9 7 23 2 1 S",
"1919 1919 2 1 7 23 2 1 S",
"1920 1920 1 14 7 23 2 1 S",
"1920 1920 9 23 7 23 2 0",
"1921 1921 2 14 7 23 2 1 S",
"1921 1921 9 25 7 23 2 0",
"1922 1922 2 25 7 23 2 1 S",
"1922 1938 9 1 6 23 2 0",
"1923 1923 4 26 7 23 2 1 S",
"1924 1924 2 29 7 23 2 1 S",
"1925 1925 3 4 7 23 2 1 S",
"1926 1926 3 17 7 23 2 1 S",
"1927 1927 3 9 7 23 2 1 S",
"1928 1928 3 14 7 23 2 1 S",
"1929 1929 3 20 7 23 2 1 S",
"1930 1930 3 12 7 23 2 1 S",
"1931 1931 3 18 7 23 2 1 S",
"1932 1932 3 2 7 23 2 1 S",
"1933 1933 2 25 7 23 2 1 S",
"1934 1934 3 7 7 23 2 1 S",
"1935 1935 2 30 7 23 2 1 S",
"1936 1936 3 18 7 23 2 1 S",
"1937 1937 3 3 7 23 2 1 S",
"1938 1938 2 26 7 23 2 1 S",
"1939 1939 3 15 7 23 2 1 S",
"1939 1939 10 18 7 23 2 0",
"1940 1940 1 25 7 2 0 1 S",
"1941 1941 4 5 7 0 0 2 M",
"1941 1941 9 6 7 0 0 1 S",
"1942 1942 2 9 7 0 0 2 M",
"1942 1942 10 2 7 3 0 1 S",
"1943 1943 2 29 7 2 0 2 M",
"1943 1943 9 4 7 3 0 1 S",
"1944 1944 3 3 7 2 0 2 M",
"1944 1944 9 8 7 1 0 1 S",
"1945 1945 3 2 7 2 0 2 M",
"1945 1945 8 16 7 3 0 0",
"1976 1976 2 28 7 1 0 1 S",
"1976 1976 8 26 7 1 0 0"
],
"Latvia": [
"1989 1996 2 0 8 2 2 1 S",
"1989 1996 8 0 8 2 2 0"
],
"Bulg": [
"1979 1979 2 31 7 23 0 1 S",
"1979 1979 9 1 7 1 0 0",
"1980 1982 3 1 6 23 0 1 S",
"1980 1980 8 29 7 1 0 0",
"1981 1981 8 27 7 2 0 0"
],
"Albania": [
"1940 1940 5 16 7 0 0 1 S",
"1942 1942 10 2 7 3 0 0",
"1943 1943 2 29 7 2 0 1 S",
"1943 1943 3 10 7 3 0 0",
"1974 1974 4 4 7 0 0 1 S",
"1974 1974 9 2 7 0 0 0",
"1975 1975 4 1 7 0 0 1 S",
"1975 1975 9 2 7 0 0 0",
"1976 1976 4 2 7 0 0 1 S",
"1976 1976 9 3 7 0 0 0",
"1977 1977 4 8 7 0 0 1 S",
"1977 1977 9 2 7 0 0 0",
"1978 1978 4 6 7 0 0 1 S",
"1978 1978 9 1 7 0 0 0",
"1979 1979 4 5 7 0 0 1 S",
"1979 1979 8 30 7 0 0 0",
"1980 1980 4 3 7 0 0 1 S",
"1980 1980 9 4 7 0 0 0",
"1981 1981 3 26 7 0 0 1 S",
"1981 1981 8 27 7 0 0 0",
"1982 1982 4 2 7 0 0 1 S",
"1982 1982 9 3 7 0 0 0",
"1983 1983 3 18 7 0 0 1 S",
"1983 1983 9 1 7 0 0 0",
"1984 1984 3 1 7 0 0 1 S"
],
"Austria": [
"1920 1920 3 5 7 2 2 1 S",
"1920 1920 8 13 7 2 2 0",
"1946 1946 3 14 7 2 2 1 S",
"1946 1948 9 1 0 2 2 0",
"1947 1947 3 6 7 2 2 1 S",
"1948 1948 3 18 7 2 2 1 S",
"1980 1980 3 6 7 0 0 1 S",
"1980 1980 8 28 7 0 0 0"
],
"Mauritius": [
"1982 1982 9 10 7 0 0 1 S",
"1983 1983 2 21 7 0 0 0",
"2008 2008 9 0 8 2 0 1 S",
"2009 2009 2 0 8 2 0 0"
],
"WS": [
"2012 9999 8 0 8 3 0 1 D",
"2012 9999 3 1 0 4 0 0"
],
"NZ": [
"1927 1927 10 6 7 2 0 1 S",
"1928 1928 2 4 7 2 0 0 M",
"1928 1933 9 8 0 2 0 0:30 S",
"1929 1933 2 15 0 2 0 0 M",
"1934 1940 3 0 8 2 0 0 M",
"1934 1940 8 0 8 2 0 0:30 S",
"1946 1946 0 1 7 0 0 0 S",
"1974 1974 10 1 0 2 2 1 D",
"1975 1975 1 0 8 2 2 0 S",
"1975 1988 9 0 8 2 2 1 D",
"1976 1989 2 1 0 2 2 0 S",
"1989 1989 9 8 0 2 2 1 D",
"1990 2006 9 1 0 2 2 1 D",
"1990 2007 2 15 0 2 2 0 S",
"2007 9999 8 0 8 2 2 1 D",
"2008 9999 3 1 0 2 2 0 S"
],
"Chatham": [
"1974 1974 10 1 0 2:45 2 1 D",
"1975 1975 1 0 8 2:45 2 0 S",
"1975 1988 9 0 8 2:45 2 1 D",
"1976 1989 2 1 0 2:45 2 0 S",
"1989 1989 9 8 0 2:45 2 1 D",
"1990 2006 9 1 0 2:45 2 1 D",
"1990 2007 2 15 0 2:45 2 0 S",
"2007 9999 8 0 8 2:45 2 1 D",
"2008 9999 3 1 0 2:45 2 0 S"
],
"Vanuatu": [
"1983 1983 8 25 7 0 0 1 S",
"1984 1991 2 23 0 0 0 0",
"1984 1984 9 23 7 0 0 1 S",
"1985 1991 8 23 0 0 0 1 S",
"1992 1993 0 23 0 0 0 0",
"1992 1992 9 23 0 0 0 1 S"
],
"Fiji": [
"1998 1999 10 1 0 2 0 1 S",
"1999 2000 1 0 8 3 0 0",
"2009 2009 10 29 7 2 0 1 S",
"2010 2010 2 0 8 3 0 0",
"2010 9999 9 18 0 2 0 1 S",
"2011 2011 2 1 0 3 0 0",
"2012 9999 0 18 0 3 0 0"
],
"NC": [
"1977 1978 11 1 0 0 0 1 S",
"1978 1979 1 27 7 0 0 0",
"1996 1996 11 1 7 2 2 1 S",
"1997 1997 2 2 7 2 2 0"
],
"Cook": [
"1978 1978 10 12 7 0 0 0:30 HS",
"1979 1991 2 1 0 0 0 0",
"1979 1990 9 0 8 0 0 0:30 HS"
],
"Tonga": [
"1999 1999 9 7 7 2 2 1 S",
"2000 2000 2 19 7 2 2 0",
"2000 2001 10 1 0 2 0 1 S",
"2001 2002 0 0 8 2 0 0"
]
},
"links": {
"America/Kralendijk": "America/Curacao",
"America/Lower_Princes": "America/Curacao",
"America/Marigot": "America/Guadeloupe",
"America/Shiprock": "America/Denver",
"America/St_Barthelemy": "America/Guadeloupe",
"Antarctica/South_Pole": "Antarctica/McMurdo",
"Arctic/Longyearbyen": "Europe/Oslo",
"Europe/Bratislava": "Europe/Prague",
"Europe/Busingen": "Europe/Zurich",
"Europe/Guernsey": "Europe/London",
"Europe/Isle_of_Man": "Europe/London",
"Europe/Jersey": "Europe/London",
"Europe/Ljubljana": "Europe/Belgrade",
"Europe/Mariehamn": "Europe/Helsinki",
"Europe/Podgorica": "Europe/Belgrade",
"Europe/San_Marino": "Europe/Rome",
"Europe/Sarajevo": "Europe/Belgrade",
"Europe/Skopje": "Europe/Belgrade",
"Europe/Vatican": "Europe/Rome",
"Europe/Zagreb": "Europe/Belgrade"
}
};
|
firstandthird/weekly
|
example/timezone-data.js
|
JavaScript
|
mit
| 175,219 |
/**
* @param {number[]} nums
* @return {void} Do not return anything, modify nums in-place instead.
*/
const nextPermutation = nums => {
if (!Array.isArray(nums) || nums.length <= 1)
return
// find the longest non-decreasing sequence starting from right side
// note that this sequence cannot be empty as a singleton array meets the requirement.
let revBegin = nums.length - 1
while (
revBegin - 1 >= 0 &&
nums[revBegin-1] >= nums[revBegin]
)
--revBegin
// when the full seq is non-decreasing, we can simply reverse it.
if (revBegin === 0) {
nums.reverse()
return
}
// otherwise we have some element which breaks the "non-decreasing"-ness
// of nums.length-1 down to revBegin, in which case we just need to
// find the successor to this value from this non-decreasing sequence range
// and swap them
for (let i = nums.length; i >= 0; --i)
if (nums[i] > nums[revBegin-1]) {
const tmp = nums[i]
nums[i] = nums[revBegin-1]
nums[revBegin-1] = tmp
break
}
// note that this swap preserves the "non-decreasing"-ness.
// so we can simply reverse this part of the array.
for (
let i = revBegin, j = nums.length-1;
i < j;
++i, --j
) {
const tmp = nums[i]
nums[i] = nums[j]
nums[j] = tmp
}
}
const test = xs => {
console.log(`before: ${xs}`)
nextPermutation(xs)
console.log(`after: ${xs}`)
}
test([2,1,2,4,3])
|
Javran/leetcode
|
next-permutation/solution.js
|
JavaScript
|
mit
| 1,433 |
//Copyright (C) 2011 by Allain Lalonde (allain.lalonde@gmail.com)
//
//See the file LICENSE.txt for copying permission.
function ListenerPool(object) {
var listeners = [];
this.length = 0;
this.broadcastEvent = function (eventMethod, params) {
for (var listenerIndex = 0; listenerIndex < listeners.length; listenerIndex++) {
if (listeners[listenerIndex][eventMethod]) {
listeners[listenerIndex][eventMethod].apply(object, params);
}
}
};
this.broadcastEventForEach = function (eventMethod, items) {
for (var listenerIndex = 0; listenerIndex < items.length; listenerIndex++) {
this.broadcastEvent(eventMethod, [items[listenerIndex]]);
}
};
this.push = function (listener) {
listeners.push(listener);
this.length = listeners.length;
}
}
|
allain/JavaScript-Concept-Map
|
ListenerPool.js
|
JavaScript
|
mit
| 798 |
app.controller('MainController', ['$scope', '$http',
function MainController($scope, $http) {
}
]);
|
cbe-digital/horizontal-minimap
|
example/js/app/controllers/main-controller.js
|
JavaScript
|
mit
| 108 |
{
"translatorID": "e3e57ecd-b278-4b27-b49e-5aa2c76b25fd",
"label": "PC Games",
"creator": "Matthias Mailänder",
"target": "^https?://(www\\.)?pcgames\\.de",
"minVersion": "3.0",
"maxVersion": "",
"priority": 100,
"inRepository": true,
"translatorType": 4,
"browserSupport": "gcsibv",
"lastUpdated": "2021-04-06 11:16:12"
}
/*
***** BEGIN LICENSE BLOCK *****
Copyright © 2021 Matthias Mailänder
This file is part of Zotero.
Zotero is free software: you can redistribute it and/or modify
it under the terms of the GNU Affero General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
Zotero is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU Affero General Public License for more details.
You should have received a copy of the GNU Affero General Public License
along with Zotero. If not, see <http://www.gnu.org/licenses/>.
***** END LICENSE BLOCK *****
*/
function detectWeb(doc, url) {
if (url.includes('/Tests/')) {
return "magazineArticle";
}
return false;
}
function doWeb(doc, url) {
if (detectWeb(doc, url) == "magazineArticle") {
scrape(doc, url);
}
}
function scrape(doc, url) {
var translator = Zotero.loadTranslator('web');
translator.setTranslator('951c027d-74ac-47d4-a107-9c3069ab7b48'); // embedded metadata
translator.setDocument(doc);
translator.setHandler('itemDone', function (obj, item) { // correct bad metadata in here
if (url.includes('/Tests/')) {
item.itemType = "magazineArticle";
}
item.publicationTitle = "PC Games";
item.language = "de-DE";
item.creators = []; // reset bad author metadata
var authorMetadata = doc.querySelectorAll('a[class="editorNameLink "]');
for (let author of authorMetadata) {
item.creators.push(ZU.cleanAuthor(author.text, "author"));
}
item.complete();
});
translator.getTranslatorObject(function(trans) {
trans.doWeb(doc, url);
});
}
/** BEGIN TEST CASES **/
var testCases = [
{
"type": "web",
"url": "https://www.pcgames.de/Thimbleweed-Park-Spiel-55045/Tests/Review-Adventure-Ron-Gilbert-1224475/",
"items": [
{
"itemType": "magazineArticle",
"title": "Thimbleweed Park im Test: Adventure-Comeback von Ron Gilbert",
"shortTitle": "Thimbleweed Park im Test",
"creators": [
{
"firstName": "Felix",
"lastName": "Schütz",
"creatorType": "author"
}
],
"date": "2017-03-30T18:01:00+02:00",
"abstractNote": "Pixeloptik, Verben-Interface und knackige Rätsel: Ron Gilbert kehrt zu seinen Wurzeln zurück. Aber macht sein Retro-Adventure auch Spaß? Das klären wir im Test.",
"publicationTitle": "PC Games",
"libraryCatalog": "www.pcgames.de",
"language": "de-DE",
"url": "https://www.pcgames.de/Thimbleweed-Park-Spiel-55045/Tests/Review-Adventure-Ron-Gilbert-1224475/",
"attachments": [
{
"title": "Snapshot",
"mimeType": "text/html"
}
],
"notes": [],
"tags": [
{
"tag": "adventure"
},
{
"tag": "kickstarter"
},
{
"tag": "lucas arts"
},
{
"tag": "monkey island"
},
{
"tag": "retro"
}
],
"seeAlso": []
}
]
}
]
/** END TEST CASES **/
|
retorquere/zotero-better-bibtex
|
test/fixtures/profile/zotero/zotero/translators/PC Games.js
|
JavaScript
|
mit
| 3,389 |
/* global describe:true, it:true */
"use strict";
var parser = require("../lib/parser.js");
var expect = require("chai").expect;
function fixture(signature) {
expect(function () {
parser(signature);
}).to.throw();
}
describe("errorneous cases", function () {
it("lexing error", function () {
fixture("/");
});
it("unclosed bracket", function () {
fixture("[ 1");
});
it("typos in record", function () {
fixture("{");
fixture("{ :");
fixture("{ foo: bar");
fixture("{ foo ; bar }");
});
it("traling data", function () {
fixture("aa ab ;");
});
});
|
phadej/typify-parser
|
test/errors.js
|
JavaScript
|
mit
| 605 |
import {Router} from 'aurelia-router';
export class App {
static inject() { return [Router]; }
constructor(router) {
this.router = router;
this.router.configure(config => {
config.title = 'Aurelia';
config.map([
{ route: ['','welcome'], moduleId: 'welcome', nav: true, title:'Welcome' },
{ route: 'flickr', moduleId: 'flickr', nav: true },
{ route: 'child-router', moduleId: 'child-router', nav: true, title:'Child Router' },
{ route: 'wind', moduleId: 'wind', nav: true, title:'Wind' }
]);
});
}
}
(function() {
var run = function(generator) {
var secuence;
var process = function(result) {
result.value.then(function(value) {
if (!result.done) {
process(sequence.next(value))
}
})
}
sequence = generator();
var next = sequence.next();
process(next);
}
window.asynchP = {
run :run
}
}());
|
chyno/chynosurf
|
src/app.js
|
JavaScript
|
mit
| 948 |
import EmberView from 'ember-views/views/view';
import EmberObject from 'ember-runtime/system/object';
import Ember from 'ember-metal/core';
import { get } from 'ember-metal/property_get';
import { set } from 'ember-metal/property_set';
import run from 'ember-metal/run_loop';
import EmberHandlebars from 'ember-handlebars-compiler';
import { compile as htmlbarsCompile } from 'htmlbars-compiler/compiler';
import EmberError from 'ember-metal/error';
import {
default as htmlbarsHelpers
} from "ember-htmlbars/helpers";
import registerHTMLBarsHelper from "ember-htmlbars/compat/register-bound-helper";
import htmlbarsMakeBoundHelper from "ember-htmlbars/compat/make-bound-helper";
import Container from 'ember-runtime/system/container';
import {
makeBoundHelper as handlebarsMakeBoundHelper
} from 'ember-handlebars/ext';
import htmlbarsMakeBoundHelper from "ember-htmlbars/compat/make-bound-helper";
var compile, helpers, registerBoundHelper, makeBoundHelper;
if (Ember.FEATURES.isEnabled('ember-htmlbars')) {
compile = htmlbarsCompile;
registerBoundHelper = registerHTMLBarsHelper;
makeBoundHelper = htmlbarsMakeBoundHelper;
helpers = htmlbarsHelpers;
} else {
compile = EmberHandlebars.compile;
registerBoundHelper = EmberHandlebars.registerBoundHelper;
helpers = EmberHandlebars.helpers;
makeBoundHelper = handlebarsMakeBoundHelper;
}
function appendView(view) {
run(function() {
view.appendTo('#qunit-fixture');
});
}
var view, lookup, container;
var originalLookup = Ember.lookup;
QUnit.module('ember-htmlbars: {{#unbound}} helper', {
setup: function() {
Ember.lookup = lookup = { Ember: Ember };
view = EmberView.create({
template: compile('{{unbound foo}} {{unbound bar}}'),
context: EmberObject.create({
foo: 'BORK',
barBinding: 'foo'
})
});
appendView(view);
},
teardown: function() {
run(function() {
view.destroy();
});
Ember.lookup = originalLookup;
}
});
test('it should render the current value of a property on the context', function() {
equal(view.$().text(), 'BORK BORK', 'should render the current value of a property');
});
test('it should not re-render if the property changes', function() {
run(function() {
view.set('context.foo', 'OOF');
});
equal(view.$().text(), 'BORK BORK', 'should not re-render if the property changes');
});
test('it should throw the helper missing error if multiple properties are provided', function() {
throws(function() {
appendView(EmberView.create({
template: compile('{{unbound foo bar}}'),
context: EmberObject.create({
foo: 'BORK',
bar: 'foo'
})
}));
}, EmberError);
});
QUnit.module("ember-htmlbars: {{#unbound boundHelper arg1 arg2... argN}} form: render unbound helper invocations", {
setup: function() {
Ember.lookup = lookup = { Ember: Ember };
registerBoundHelper('surround', function(prefix, value, suffix) {
return prefix + '-' + value + '-' + suffix;
});
registerBoundHelper('capitalize', function(value) {
return value.toUpperCase();
});
registerBoundHelper('capitalizeName', function(value) {
return get(value, 'firstName').toUpperCase();
}, 'firstName');
registerBoundHelper('fauxconcat', function(value) {
return [].slice.call(arguments, 0, -1).join('');
});
registerBoundHelper('concatNames', function(value) {
return get(value, 'firstName') + get(value, 'lastName');
}, 'firstName', 'lastName');
},
teardown: function() {
delete helpers['surround'];
delete helpers['capitalize'];
delete helpers['capitalizeName'];
delete helpers['fauxconcat'];
delete helpers['concatNames'];
run(function() {
view.destroy();
});
Ember.lookup = originalLookup;
}
});
test("should be able to render an unbound helper invocation", function() {
try {
registerBoundHelper('repeat', function(value, options) {
var count = options.hash.count;
var a = [];
while(a.length < count) {
a.push(value);
}
return a.join('');
});
view = EmberView.create({
template: compile('{{unbound repeat foo countBinding="bar"}} {{repeat foo countBinding="bar"}} {{unbound repeat foo count=2}} {{repeat foo count=4}}'),
context: EmberObject.create({
foo: "X",
numRepeatsBinding: "bar",
bar: 5
})
});
appendView(view);
equal(view.$().text(), "XXXXX XXXXX XX XXXX", "first render is correct");
run(function() {
set(view, 'context.bar', 1);
});
equal(view.$().text(), "XXXXX X XX XXXX", "only unbound bound options changed");
} finally {
delete helpers['repeat'];
}
});
test("should be able to render an bound helper invocation mixed with static values", function() {
view = EmberView.create({
template: compile('{{unbound surround prefix value "bar"}} {{surround prefix value "bar"}} {{unbound surround "bar" value suffix}} {{surround "bar" value suffix}}'),
context: EmberObject.create({
prefix: "before",
value: "core",
suffix: "after"
})
});
appendView(view);
equal(view.$().text(), "before-core-bar before-core-bar bar-core-after bar-core-after", "first render is correct");
run(function() {
set(view, 'context.prefix', 'beforeChanged');
set(view, 'context.value', 'coreChanged');
set(view, 'context.suffix', 'afterChanged');
});
equal(view.$().text(), "before-core-bar beforeChanged-coreChanged-bar bar-core-after bar-coreChanged-afterChanged", "only bound values change");
});
test("should be able to render unbound forms of multi-arg helpers", function() {
view = EmberView.create({
template: compile("{{fauxconcat foo bar bing}} {{unbound fauxconcat foo bar bing}}"),
context: EmberObject.create({
foo: "a",
bar: "b",
bing: "c"
})
});
appendView(view);
equal(view.$().text(), "abc abc", "first render is correct");
run(function() {
set(view, 'context.bar', 'X');
});
equal(view.$().text(), "aXc abc", "unbound helpers/properties stayed the same");
});
test("should be able to render an unbound helper invocation for helpers with dependent keys", function() {
view = EmberView.create({
template: compile("{{capitalizeName person}} {{unbound capitalizeName person}} {{concatNames person}} {{unbound concatNames person}}"),
context: EmberObject.create({
person: EmberObject.create({
firstName: 'shooby',
lastName: 'taylor'
})
})
});
appendView(view);
equal(view.$().text(), "SHOOBY SHOOBY shoobytaylor shoobytaylor", "first render is correct");
run(function() {
set(view, 'context.person.firstName', 'sally');
});
equal(view.$().text(), "SALLY SHOOBY sallytaylor shoobytaylor", "only bound values change");
});
test("should be able to render an unbound helper invocation in #each helper", function() {
view = EmberView.create({
template: compile(
[ "{{#each person in people}}",
"{{capitalize person.firstName}} {{unbound capitalize person.firstName}}",
"{{/each}}"].join("")),
context: {
people: Ember.A([
{
firstName: 'shooby',
lastName: 'taylor'
},
{
firstName: 'cindy',
lastName: 'taylor'
}
])}
});
appendView(view);
equal(view.$().text(), "SHOOBY SHOOBYCINDY CINDY", "unbound rendered correctly");
});
test("should be able to render an unbound helper invocation with bound hash options", function() {
try {
Ember.Handlebars.registerBoundHelper('repeat', function(value) {
return [].slice.call(arguments, 0, -1).join('');
});
view = EmberView.create({
template: compile("{{capitalizeName person}} {{unbound capitalizeName person}} {{concatNames person}} {{unbound concatNames person}}"),
context: EmberObject.create({
person: EmberObject.create({
firstName: 'shooby',
lastName: 'taylor'
})
})
});
appendView(view);
equal(view.$().text(), "SHOOBY SHOOBY shoobytaylor shoobytaylor", "first render is correct");
run(function() {
set(view, 'context.person.firstName', 'sally');
});
equal(view.$().text(), "SALLY SHOOBY sallytaylor shoobytaylor", "only bound values change");
} finally {
delete Ember.Handlebars.registerBoundHelper['repeat'];
}
});
QUnit.module("ember-htmlbars: {{#unbound}} helper -- Container Lookup", {
setup: function() {
Ember.lookup = lookup = { Ember: Ember };
container = new Container();
container.optionsForType('helper', { instantiate: false });
},
teardown: function() {
if (view) {
run(view, 'destroy');
}
Ember.lookup = originalLookup;
}
});
test("should lookup helpers in the container", function() {
container.register('helper:up-case', makeBoundHelper(function(value) {
return value.toUpperCase();
}));
view = EmberView.create({
template: compile("{{unbound up-case displayText}}"),
container: container,
context: {
displayText: 'such awesome'
}
});
appendView(view);
equal(view.$().text(), "SUCH AWESOME", "proper values were rendered");
run(function() {
set(view, 'context.displayText', 'no changes');
});
equal(view.$().text(), "SUCH AWESOME", "only bound values change");
});
|
JacobNinja/es6
|
packages/ember-htmlbars/tests/helpers/unbound_test.js
|
JavaScript
|
mit
| 9,408 |
import log from 'pretty-log'
import * as HashModel from '../models/hashes'
export default function getHash(socket, url, cb) {
HashModel.getHashForFile(url).then((hash) => {
cb({url, hash})
})
}
|
shichongrui/phone-a-friend
|
server/controllers/get-hash.js
|
JavaScript
|
mit
| 204 |
//not work
|
s1na/darkoob
|
darkoob/static/js/new_migration.js
|
JavaScript
|
mit
| 10 |
(function( w ){
"use strict";
var Politespace = function( element ) {
if( !element ) {
throw new Error( "Politespace requires an element argument." );
}
if( !element.getAttribute ) {
// Cut the mustard
return;
}
this.element = element;
this.type = this.element.getAttribute( "type" );
this.delimiter = this.element.getAttribute( "data-delimiter" ) || " ";
this.reverse = this.element.getAttribute( "data-reverse" ) !== null;
this.groupLength = this.element.getAttribute( "data-grouplength" ) || 3;
};
Politespace.prototype._divideIntoArray = function( value ) {
var split = ( '' + this.groupLength ).split( ',' ),
isUniformSplit = split.length === 1,
dividedValue = [],
loopIndex = 0,
groupLength,
substrStart,
useCharCount;
while( split.length && loopIndex < value.length ) {
if( isUniformSplit ) {
groupLength = split[ 0 ];
} else {
// use the next split or the rest of the string if open ended, ala "3,3,"
groupLength = split.shift() || value.length - loopIndex;
}
// Use min if we’re at the end of a reversed string
// (substrStart below grows larger than the string length)
useCharCount = Math.min( parseInt( groupLength, 10 ), value.length - loopIndex );
if( this.reverse ) {
substrStart = -1 * (useCharCount + loopIndex);
} else {
substrStart = loopIndex;
}
dividedValue.push( value.substr( substrStart, useCharCount ) );
loopIndex += useCharCount;
}
if( this.reverse ) {
dividedValue.reverse();
}
return dividedValue;
};
Politespace.prototype.format = function( value ) {
var val = this.unformat( value );
return this._divideIntoArray( val ).join( this.delimiter );
};
Politespace.prototype.trimMaxlength = function( value ) {
var maxlength = this.element.getAttribute( "maxlength" );
// Note input type="number" maxlength does nothing
if( maxlength ) {
value = value.substr( 0, maxlength );
}
return value;
};
Politespace.prototype.getValue = function() {
return this.trimMaxlength( this.element.value );
};
Politespace.prototype.update = function() {
this.element.value = this.useProxy() ? this.getValue() : this.format( this.getValue() );
};
Politespace.prototype.unformat = function( value ) {
return value.replace( new RegExp( this.delimiter, 'g' ), '' );
};
Politespace.prototype.reset = function() {
this.element.value = this.unformat( this.element.value );
};
Politespace.prototype.useProxy = function() {
return this.type === "number";
};
Politespace.prototype.updateProxy = function() {
var proxy;
if( this.useProxy() ) {
proxy = this.element.parentNode.firstChild;
proxy.innerHTML = this.format( this.getValue() );
proxy.style.width = this.element.offsetWidth + "px";
}
};
Politespace.prototype.createProxy = function() {
if( !this.useProxy() ) {
return;
}
function getStyle( el, prop ) {
return window.getComputedStyle( el, null ).getPropertyValue( prop );
}
function sumStyles( el, props ) {
var total = 0;
for( var j=0, k=props.length; j<k; j++ ) {
total += parseFloat( getStyle( el, props[ j ] ) );
}
return total;
}
var parent = this.element.parentNode;
var el = document.createElement( "div" );
var proxy = document.createElement( "div" );
proxy.style.font = getStyle( this.element, "font" );
proxy.style.paddingLeft = sumStyles( this.element, [ "padding-left", "border-left-width" ] ) + "px";
proxy.style.paddingRight = sumStyles( this.element, [ "padding-right", "border-right-width" ] ) + "px";
proxy.style.top = sumStyles( this.element, [ "padding-top", "border-top-width", "margin-top" ] ) + "px";
el.appendChild( proxy );
el.className = "politespace-proxy active";
var formEl = parent.replaceChild( el, this.element );
el.appendChild( formEl );
this.updateProxy();
};
w.Politespace = Politespace;
}( this ));
|
NathanBWaters/jb_club
|
node_modules/politespace/src/politespace.js
|
JavaScript
|
mit
| 3,905 |
import cx from 'classnames'
import _ from 'lodash'
import PropTypes from 'prop-types'
import React, { Component } from 'react'
import {
childrenUtils,
customPropTypes,
createShorthandFactory,
getElementType,
getUnhandledProps,
META,
SUI,
useKeyOnly,
useKeyOrValueAndKey,
useValueAndKey,
} from '../../lib'
import Icon from '../Icon/Icon'
import Label from '../Label/Label'
import ButtonContent from './ButtonContent'
import ButtonGroup from './ButtonGroup'
import ButtonOr from './ButtonOr'
/**
* A Button indicates a possible user action.
* @see Form
* @see Icon
* @see Label
*/
class Button extends Component {
static propTypes = {
/** An element type to render as (string or function). */
as: customPropTypes.as,
/** A button can show it is currently the active user selection. */
active: PropTypes.bool,
/** A button can animate to show hidden content. */
animated: PropTypes.oneOfType([
PropTypes.bool,
PropTypes.oneOf(['fade', 'vertical']),
]),
/** A button can be attached to the top or bottom of other content. */
attached: PropTypes.oneOf(['left', 'right', 'top', 'bottom']),
/** A basic button is less pronounced. */
basic: PropTypes.bool,
/** Primary content. */
children: customPropTypes.every([
PropTypes.node,
customPropTypes.disallow(['label']),
customPropTypes.givenProps(
{
icon: PropTypes.oneOfType([
PropTypes.string.isRequired,
PropTypes.object.isRequired,
PropTypes.element.isRequired,
]),
},
customPropTypes.disallow(['icon']),
),
]),
/** A button can be circular. */
circular: PropTypes.bool,
/** Additional classes. */
className: PropTypes.string,
/** A button can have different colors */
color: PropTypes.oneOf([
...SUI.COLORS,
'facebook', 'google plus', 'instagram', 'linkedin', 'twitter', 'vk', 'youtube',
]),
/** A button can reduce its padding to fit into tighter spaces. */
compact: PropTypes.bool,
/** Shorthand for primary content. */
content: customPropTypes.contentShorthand,
/** A button can show it is currently unable to be interacted with. */
disabled: PropTypes.bool,
/** A button can be aligned to the left or right of its container. */
floated: PropTypes.oneOf(SUI.FLOATS),
/** A button can take the width of its container. */
fluid: PropTypes.bool,
/** Add an Icon by name, props object, or pass an <Icon />. */
icon: customPropTypes.some([
PropTypes.bool,
PropTypes.string,
PropTypes.object,
PropTypes.element,
]),
/** A button can be formatted to appear on dark backgrounds. */
inverted: PropTypes.bool,
/** Add a Label by text, props object, or pass a <Label />. */
label: customPropTypes.some([
PropTypes.string,
PropTypes.object,
PropTypes.element,
]),
/** A labeled button can format a Label or Icon to appear on the left or right. */
labelPosition: PropTypes.oneOf(['right', 'left']),
/** A button can show a loading indicator. */
loading: PropTypes.bool,
/** A button can hint towards a negative consequence. */
negative: PropTypes.bool,
/**
* Called after user's click.
* @param {SyntheticEvent} event - React's original SyntheticEvent.
* @param {object} data - All props.
*/
onClick: PropTypes.func,
/** A button can hint towards a positive consequence. */
positive: PropTypes.bool,
/** A button can be formatted to show different levels of emphasis. */
primary: PropTypes.bool,
/** A button can be formatted to show different levels of emphasis. */
secondary: PropTypes.bool,
/** A button can have different sizes. */
size: PropTypes.oneOf(SUI.SIZES),
/** A button can receive focus. */
tabIndex: PropTypes.oneOfType([
PropTypes.number,
PropTypes.string,
]),
/** A button can be formatted to toggle on and off. */
toggle: PropTypes.bool,
}
static defaultProps = {
as: 'button',
}
static _meta = {
name: 'Button',
type: META.TYPES.ELEMENT,
}
static Content = ButtonContent
static Group = ButtonGroup
static Or = ButtonOr
computeElementType = () => {
const { attached, label } = this.props
if (!_.isNil(attached) || !_.isNil(label)) return 'div'
}
computeTabIndex = (ElementType) => {
const { disabled, tabIndex } = this.props
if (!_.isNil(tabIndex)) return tabIndex
if (disabled) return -1
if (ElementType === 'div') return 0
}
focus = () => _.invoke(this.ref, 'focus')
handleClick = (e) => {
const { disabled } = this.props
if (disabled) {
e.preventDefault()
return
}
_.invoke(this.props, 'onClick', e, this.props)
}
handleRef = c => (this.ref = c)
hasIconClass = () => {
const { labelPosition, children, content, icon } = this.props
if (icon === true) return true
return icon && (labelPosition || (childrenUtils.isNil(children) && _.isNil(content)))
}
render() {
const {
active,
animated,
attached,
basic,
children,
circular,
className,
color,
compact,
content,
disabled,
floated,
fluid,
icon,
inverted,
label,
labelPosition,
loading,
negative,
positive,
primary,
secondary,
size,
toggle,
} = this.props
const baseClasses = cx(
color,
size,
useKeyOnly(active, 'active'),
useKeyOnly(basic, 'basic'),
useKeyOnly(circular, 'circular'),
useKeyOnly(compact, 'compact'),
useKeyOnly(fluid, 'fluid'),
useKeyOnly(this.hasIconClass(), 'icon'),
useKeyOnly(inverted, 'inverted'),
useKeyOnly(loading, 'loading'),
useKeyOnly(negative, 'negative'),
useKeyOnly(positive, 'positive'),
useKeyOnly(primary, 'primary'),
useKeyOnly(secondary, 'secondary'),
useKeyOnly(toggle, 'toggle'),
useKeyOrValueAndKey(animated, 'animated'),
useKeyOrValueAndKey(attached, 'attached'),
)
const labeledClasses = cx(
useKeyOrValueAndKey(labelPosition || !!label, 'labeled'),
)
const wrapperClasses = cx(
useKeyOnly(disabled, 'disabled'),
useValueAndKey(floated, 'floated'),
)
const rest = getUnhandledProps(Button, this.props)
const ElementType = getElementType(Button, this.props, this.computeElementType)
const tabIndex = this.computeTabIndex(ElementType)
if (!_.isNil(label)) {
const buttonClasses = cx('ui', baseClasses, 'button', className)
const containerClasses = cx('ui', labeledClasses, 'button', className, wrapperClasses)
const labelElement = Label.create(label, { defaultProps: {
basic: true,
pointing: labelPosition === 'left' ? 'right' : 'left',
} })
return (
<ElementType {...rest} className={containerClasses} onClick={this.handleClick}>
{labelPosition === 'left' && labelElement}
<button className={buttonClasses} disabled={disabled} ref={this.handleRef} tabIndex={tabIndex}>
{Icon.create(icon)} {content}
</button>
{(labelPosition === 'right' || !labelPosition) && labelElement}
</ElementType>
)
}
const classes = cx('ui', baseClasses, wrapperClasses, labeledClasses, 'button', className)
const hasChildren = !childrenUtils.isNil(children)
return (
<ElementType
{...rest}
className={classes}
disabled={(disabled && ElementType === 'button') || undefined}
onClick={this.handleClick}
ref={this.handleRef}
role='button'
tabIndex={tabIndex}
>
{hasChildren && children}
{!hasChildren && Icon.create(icon)}
{!hasChildren && content}
</ElementType>
)
}
}
Button.create = createShorthandFactory(Button, value => ({ content: value }))
export default Button
|
SuperUncleCat/ServerMonitoring
|
node_modules/semantic-ui-react/src/elements/Button/Button.js
|
JavaScript
|
mit
| 8,071 |
/**
* Global variable contains the app.
* @module RCAM
*/
var RCAM = RCAM || {};/*,
nextFrame = (function (window) {
'use strict';
return window.requestAnimationFrame ||
window.webkitRequestAnimationFrame ||
window.mozRequestAnimationFrame ||
function(callback) { window.setTimeout(callback, 1000 / 60); };
}(this));*/
/**
* Object container to hold custom interactive widgets.
* @module RCAM.widgets
*/
RCAM.widgets = RCAM.widgets || {};
/**
* Constructs animated hamburger buttons
* @class Hamburger
* @constructor
* @namespace RCAM.widgets
* @requires RCAM.utils, RCAM.param
* @param {Object} nodes The element ID references to the DOM nodes.
* @param {Object} options The configuration options.
* @example
var button = new RCAM.widgets.Hamburger({
buttonId: 'js-rc-hamburger',
buttonLineTopId: 'js-rc-hamburger__top',
buttonLineBottomId: 'js-rc-hamburger__bottom'
}, {
onToggleState : function () {
this.publish('stateToggled', this);
}
});
*/
RCAM.widgets.Hamburger = (function (global) {
'use strict';
/*jslint nomen:true*/
var param = RCAM.param,
utils = RCAM.utils,
doc = global.document,
win = global.window,
nextFrame = win.requestAnimFrame;
function Hamburger(nodes, options) {
/**
* Ensure the constructor is new-agnostic
* Checks the receiver value is a proper instance of Header.
* This ensures no error if instantiated without 'new' keyword.
*/
if (!(this instanceof Hamburger)) {
return new Hamburger(nodes, options);
}
// Check and normalize nodes arguments
var buttonId = nodes.buttonId === undefined ?
'js-rc-hamburger' : nodes.buttonId,
buttonLineTopId = nodes.buttonLineTopId === undefined ?
'js-rc-hamburger__top' : nodes.buttonLineTopId,
buttonLineBottomId = nodes.buttonLineBottomId === undefined ?
'js-rc-hamburger__bottom' : nodes.buttonLineBottomId;
/**
* Object containing the default configuration options.
* (These defults are used when no options are provided on intantiation)
* @property options
* @type Object
*/
this.options = {
animate: true,
onToggleState : null
};
// Merge/replace with user defined options
this._extend(this.options, options);
/**
* Used to indicate the buttons active state.
* @property isActive
* @type Boolean
*/
this.isActive = false;
/**
* The DOM node for the activate button.
* @property headerTrayContent
* @type Object
*/
this.button = doc.getElementById(buttonId);
/**
* The DOM node for the hamburger menu's top line.
* @property buttonLineTop
* @type Object
*/
this.buttonLineTop = doc.getElementById(buttonLineTopId);
/**
* The DOM node for the hamburger menu's bottom line.
* @property buttonLineBottom
* @type Object
*/
this.buttonLineBottom = doc.getElementById(buttonLineBottomId);
if (!this.options.animate) {
this.animationTransitionOff();
}
this.button.addEventListener(param.pointerStart, this, false);
/*this.button.addEventListener(param.pointerEnd, this, false);*/
this.button.addEventListener(param.transitionEnd, this, false);
}
Hamburger.prototype = {
constructor: Hamburger,
/**
* Handles events when they are fired.
* @method handleEvent
* @private
*/
handleEvent : function (e) {
switch (e.type) {
case param.pointerStart:
this._onStart(e);
break;
case param.pointerEnd:
case param.pointerCancel:
this._onEnd(e);
break;
case param.transitionEnd:
this._onTransitionEnd(e);
break;
}
},
/**
* Called when a pointer or touch event starts.
* @method _onStart
* @private
*/
_onStart : function (e) {
this.button.addEventListener(param.pointerEnd, this, false);
this.button.removeEventListener(param.pointerStart, this, false);
e.preventDefault();
e.stopPropagation();
},
/**
* Called when a pointer or touch event ends.
* @method _onEnd
* @private
*/
_onEnd : function (e) {
/*this.deactivateInput();*/
this.toggleState();
e.preventDefault();
e.stopPropagation();
},
/**
* Enumerate properties of the 'source' object and copy them to the 'target'.
* @method _extend
* @private
*/
_extend : function (target, source) {
var i;
if (typeof source === 'object') {
for (i in source) {
if (source.hasOwnProperty(i)) {
target[i] = source[i];
}
}
}
},
/**
* Called when the header tray completes its animation.
* @method _onTransitionEnd
* @private
*/
_onTransitionEnd : function () {
if (this.isActive) { // Accessibility - toggle button label
this.button.setAttribute("aria-label", "Close navigation menu");
} else {
this.button.setAttribute("aria-label", "Open navigation menu");
}
//this.activateInput();
},
/**
* Enables the buttons pointer inputs (pointerStart).
* @method activateInput
* @example
button.activateInput();
*/
activateInput : function () {
this.button.addEventListener(param.pointerStart, this, false);
},
/**
* Disables the buttons pointer inputs (pointerstart, pointerEnd, and pointerCancel)
* @method deactivateInput
* @example
button.deactivateInput();
*/
deactivateInput : function () {
this.button.removeEventListener(param.pointerStart, this, false);
this.button.removeEventListener(param.pointerEnd, this, false);
this.button.removeEventListener(param.pointerCancel, this, false);
},
animationTransitionOff : function () {
this.button.style.cssText += param.cssVendorPref + 'transition-duration: 0s;';
this.buttonLineTop.style.cssText += param.cssVendorPref + 'transition-duration: 0s;';
this.buttonLineBottom.style.cssText += param.cssVendorPref + 'transition-duration: 0s;';
},
/**
* Toggles the active/non-active button state.
* @method toggleTray
* @example
button.toggleState();
*/
toggleState : function () {
var self = this;
if (this.options.onToggleState) {
this.options.onToggleState.call(self);
}
nextFrame(function () {
utils.toggleClass(self.button, 'rc-hamburger--active');
utils.toggleClass(self.buttonLineTop, 'rc-hamburger__top--active');
utils.toggleClass(self.buttonLineBottom, 'rc-hamburger__bottom--active');
});
this.isActive = this.isActive ? false : true;
}
};
return Hamburger;
}(this));
|
robCam/menu-panel
|
src/js/myHamburger.js
|
JavaScript
|
mit
| 7,873 |
'use strict';
var grunt = require('grunt');
exports.easy_sprite = {
setUp: function(done) {
// setup here if necessary
done();
},
default_options: function(test) {
test.done();
}
};
|
vinnyguitar/grunt-easy-sprite
|
test/easy_sprite_test.js
|
JavaScript
|
mit
| 224 |
'use strict'
require('shelljs/global')
const dir = require('../lib/getLocalDir')
module.exports = function () {
cd(dir)
exec('git pull origin master')
}
|
egoist/timeshell
|
commands/pull.js
|
JavaScript
|
mit
| 156 |
/**
* JS module template for Grunt
*/
// Basic template description.
exports.description = 'Create a JS module file.';
// The actual init template.
exports.template = function(grunt, init, done) {
init.process({}, [
init.prompt('name', 'script')
], function(err, props) {
grunt.util._.defaults(props, init.defaults);
// Files to copy (and process).
var files = init.filesToCopy(props);
// Actually copy (and process) files.
init.copyAndProcess(files, props);
// All done!
done();
});
};
|
sapegin/squirrelstrap
|
templates/jsmodule/template.js
|
JavaScript
|
mit
| 515 |
/**
* @author Joe Bordes
*/
angular.module('MarvelJSApp.comic', [])
.controller('ComicController', function(marvelAPIservice) {
this.id = $routeParams.id;
this.events = [];
this.creators = [];
this.comic = null;
marvelAPIservice.getComicDetails(this.id).success(function (response) {
this.comic = response.data.results[0];
this.creators = this.comic.creators.items;
});
//marvelAPIservice.getComicCreators(this.id).success(function (response) {
// this.creators = response.MRData.RaceTable.Races;
//});
//marvelAPIservice.getComicEvents(this.id).success(function (response) {
// this.events = response.MRData.RaceTable.Races;
//});
});
|
joebordes/marveljs
|
app/components/comic/comic.js
|
JavaScript
|
mit
| 660 |
var keystone = require('keystone'),
User = keystone.list('User');
exports = module.exports = function(req, res) {
var view = new keystone.View(req, res),
locals = res.locals;
view.on('init', function(next) {
User.model.findOne().where('resetPasswordKey', req.params.key).exec(function(err, user) {
if (err) return next(err);
if (!user) {
req.flash('error', 'Ung\xFCltiger Passwort-Schl\xFCssel!');
return res.redirect('/forgot-password');
}
locals.found = user;
next();
});
});
view.on('post', { action: 'reset-password' }, function(next) {
/*jshint camelcase: false */
if (!req.body.password || !req.body.password_confirm) {
req.flash('error', 'Bitte neues Passwort eingeben.');
return next();
}
if (req.body.password !== req.body.password_confirm) {
req.flash('error', 'Passwörter stimmen nicht \xFC;berein!');
return next();
}
locals.found.password = req.body.password;
locals.found.resetPasswordKey = '';
locals.found.save(function(err) {
if (err) return next(err);
req.flash('success', 'Passwort wurde zur\xFCckgesetzt.');
res.redirect('/signin');
});
});
view.render('session/reset-password');
};
|
pfirpfel/mtgbl
|
routes/views/session/reset-password.js
|
JavaScript
|
mit
| 1,194 |
/**
* @author: * @date: 2016/2/26
*/
define([
"backbone",
"core/js/layout/Panel",
"core/js/CommonConstant",
"core/js/editors/TextEditor",
"core/js/windows/Window",
"core/js/controls/ToolStripItem",
"core/js/utils/ApplicationUtils"
],
function (Backbone, Panel, CommonConstant, TextEditor, Window, ToolStripItem,
ApplicationUtils) {
var options =[{
value:"1",
label:"选择一"
},{
value:"2",
label:"选择二",
disabled:true
},{
value:"3",
label:"选择三"
},{
value:"4",
label:"选择四"
}];
var optionGroup =[{
value:"1",
label:"选择一"
},{
value:"2",
label:"选择二",
disabled:true
},{
value:"3",
label:"选择三"
},{
value:"4",
label:"选择四"
},{optgroup:{
label:"test",
subtext:"another test",
options:[
{
value:"5",
label:"选择五"
},{
value:"6",
label:"选择六"
}
]
}}];
var view = Panel.extend({
title: "测试1",
theme: $Theme.BLUE,
help: "内容1",
brief: "摘要1",
mainRegion: {
comXtype: $Component.SKYFORMEDITOR,
comConf: {
fields: [{
label:"默认的下拉框",
editorType:$Component.SELECTEDITOR,
noneSelectedText:"默认的下拉框",
liveSearchPlaceholder:"默认的下拉框",
name:"dd1",
searchable:true,
value:"1",
className:"col col-6",
options:options,
onchanged: function (event) {
console.info(event);
var editor = event.target;
var formEditor = editor.parent;
var editordd2 = formEditor.getEditor("dd2");
if(editordd2!=null){
editordd2.updateOptions(optionGroup);
}
}
},{
label:"能查询的下拉框",
editorType:$Component.SELECTEDITOR,
name:"dd2",
searchable:true,
value:"3",
className:"col col-6",
options:options
},{
//多选
label:"多选下拉框",
editorType:$Component.SELECTEDITOR,
noneSelectedText:"多选下拉框",
liveSearchPlaceholder:"多选下拉框",
searchable:true,
name:"dd3",
multiple:true,
className:"col col-6",
rules:{required: true},
options:options
},{
//多线,分组
label:"能分组的下拉框",
editorType:$Component.SELECTEDITOR,
noneSelectedText:"能分组的下拉框",
liveSearchPlaceholder:"能分组的下拉框",
searchable:true,
name:"dd4",
multiple:true,
className:"col col-6",
value:["3","5"],
options:optionGroup
}
]
}
},
footerRegion: {
comXtype: $Component.TOOLSTRIP,
textAlign: $TextAlign.RIGHT,
comConf: {
/*Panel的配置项 start*/
spacing: CommonConstant.Spacing.DEFAULT,
itemOptions: [{
themeClass: ToolStripItem.ThemeClass.PRIMARY,
text: "确定",
onclick: function (e) {
var panelRegion = ApplicationUtils.getMainRegion();
var skyFormEditor = panelRegion.getComRef().getMainRegionRef().getComRef();
skyFormEditor.validate();
}
}, {
themeClass: ToolStripItem.ThemeClass.CANCEL,
text: "取消",
onclick: function (e) {
$.window.confirm("测试1", {
yesHandle: function () {
alert(">>>");
}
});
}
}]
/*Panel 配置 End*/
}
}
});
return view;
});
|
huangfeng19820712/hfast
|
example/view/editor/selectEditor.js
|
JavaScript
|
mit
| 5,371 |
//v.3.6 build 130416
/*
Copyright DHTMLX LTD. http://www.dhtmlx.com
To use this component please contact sales@dhtmlx.com to obtain license
*/
/**
* visual extension for drag-n-drop support.
*/
function dhx_ext_check(sid,tid,sgrid,tgrid){
if (sgrid.mytype=="tree") var nm="id"; else var nm="idd";
var sid=new Array();
for(var i=0; i<sgrid._dragged.length; i++)
sid[sid.length]=sgrid._dragged[i][nm];
//sid - array of dragged ids
//tid - target id
if ((!this._onDrInFuncA)||(this._onDrInFuncA(sid,tid,sgrid,tgrid))) return dhx_allow_drag();
return dhx_deny_drop();
}
function dhx_deny_drop(){
window.dhtmlDragAndDrop.dragNode.firstChild.rows[0].cells[0].className="dragAccessD";
return false;
}
function dhx_allow_drag(){
window.dhtmlDragAndDrop.dragNode.firstChild.rows[0].cells[0].className="dragAccessA";
return true;
}
try{
if (_isIE) document.execCommand("BackgroundImageCache", false, true);
} catch(e){}
if (window.dhtmlXGridObject){
dhtmlXGridObject.prototype.rowToDragElement=function(){
var z=this._dragged.length;
var out="";
if (z==1) out=z+" "+(this._dratA||"message");
else out=z+" "+(this._dratB||"messages");
return "<table cellspacing='0' cellpadding='0'><tbody><tr><td class='dragAccessD'> </td><td class='dragTextCell'>"+out+"</td></tbody><table>";
}
dhtmlXGridObject.prototype._init_point_bd=dhtmlXGridObject.prototype._init_point;
dhtmlXGridObject.prototype._init_point=function(){
this.attachEvent("onDragIn",dhx_ext_check);
if (this._init_point_bd) this._init_point_bd();
}
/**
* @desc: define text (single and plural forms) for extended visual appearence of drag-n-drop
* @param: single - single form (like "product")
* @param: plural - plural form (if omitted, then "s" will be added to single form)
* @type: public
*/
dhtmlXGridObject.prototype.setDragText=function(single,plural){
this._dratA=single;
if (!plural) this._dratB=single+"s";
else this._dratB=plural;
}
}
if (window.dhtmlXTreeObject){
dhtmlXTreeObject.prototype._createDragNode=function(htmlObject,e){
if (!this.dADTempOff) return null;
var obj=htmlObject.parentObject;
if (!this.callEvent("onBeforeDrag",[obj.id])) return null;
if (!obj.i_sel)
this._selectItem(obj,e);
this._checkMSelectionLogic();
var dragSpan=document.createElement('div');
var z=this._selected.length;
var out="";
if (z==1) out=z+" "+(this._dratA||"message");
else out=z+" "+(this._dratB||"messages");
dragSpan.innerHTML="<table cellspacing='0' cellpadding='0'><tbody><tr><td class='dragAccessD'> </td><td class='dragTextCell'>"+out+"</td></tbody><table>";
dragSpan.style.position="absolute";
dragSpan.className="dragSpanDiv";
this._dragged=(new Array()).concat(this._selected);
return dragSpan;
}
dhtmlXTreeObject.prototype.setDragText=function(a,b){
this._dratA=a;
if (!b) this._dratB=a+"s";
else this._dratB=b;
}
dhtmlXTreeObject.prototype._onDrInFunc=dhx_ext_check;
dhtmlXTreeObject.prototype.setOnDragIn=function(func){
if (typeof(func)=="function") this._onDrInFuncA=func; else this._onDrInFuncA=eval(func);
}
}
dhtmlDragAndDropObject.prototype._onNotFound=function(){
dhx_deny_drop();
}
|
tottaz/yggdrasil
|
third_party/modules/dhtmlx/grid/ext/dhtmlx_extdrag.js
|
JavaScript
|
mit
| 3,345 |
// Créer un serveur web qui, qd on tape localhost:3000/api/friends, donne la liste des amis et qd on tape/api/friedns/1, on ne reçoit que le 1er nom
var fs = require('fs'),
http= require ('http');
// Create an HTTP server
var port = process.argv[2] || 3000;
var routes ={
"/api/friends": "datas/datas.json"
}
var srv = http.createServer(function (req, res) {
if (routes[req.url]) {
// si il trouve une valeur ds mon objet, JS renvoie ???
res.writeHead(200, {
'Content-Type': 'text/json'
});
// renvoit un en-tête avec code 200=tout va bien, avec le contenu en json
var routeFile = routes[req.url];
fs.readFile(routeFile, function(err, data) {
if (err) throw err
res.end(data);
})
} else{
res.writeHead(404);
res.end('the url :' +req.url +" don't exist");
}
}).listen(port, function() {
console.log("Server now listening at port :" + port);
})
|
Yzah/nodesjs_bootcamp
|
ex8/index.js
|
JavaScript
|
mit
| 951 |
/*
* Wegas
* http://wegas.albasim.ch
*
* Copyright (c) 2013, 2014, 2015 School of Business and Engineering Vaud, Comem
* Licensed under the MIT License
*/
/**
* @fileOverview
* @author Cyril Junod <cyril.junod at gmail.com>
*/
YUI.add("wegas-box", function(Y) {
"use strict";
/**
* @name Y.Wegas.Box
* @extends Y.Widget
* @borrows Y.WidgetChild, Y.Wegas.Widget, Y.Wegas.Editable
* @class Displays a box widget
* @constructor
* @description Display a simple box
*/
var Box = Y.Base.create("wegas-box", Y.Widget, [Y.WidgetChild, Y.Wegas.Widget, Y.Wegas.Editable], {
/** @lends Y.Wegas.Box# */
CONTENT_TEMPLATE: null,
getEditorLabel: function() {
return Y.Wegas.Helper.stripHtml(this.get("name"));
}
}, {
/** @lends Y.Wegas.Box */
EDITORNAME: "Box",
ATTRS: {
name: {
value: "folder",
type: "string"
}
}
});
Y.Wegas.Box = Box;
});
|
ghiringh/Wegas
|
wegas-app/src/main/webapp/wegas-app/js/widget/wegas-box.js
|
JavaScript
|
mit
| 1,030 |
/**
* @license Copyright (c) 2003-2019, CKSource - Frederico Knabben. All rights reserved.
* For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-oss-license
*/
CKEDITOR.plugins.setLang( 'uploadwidget', 'nl', {
abort: 'Upload gestopt door de gebruiker.',
doneOne: 'Bestand succesvol geüpload.',
doneMany: 'Succesvol %1 bestanden geüpload.',
uploadOne: 'Uploaden bestand ({percentage}%)…',
uploadMany: 'Bestanden aan het uploaden, {current} van {max} klaar ({percentage}%)…'
} );
|
otto-torino/gino
|
ckeditor/plugins/uploadwidget/lang/nl.js
|
JavaScript
|
mit
| 525 |
import React from 'react';
import BeerListItem from './BeerListItem';
const BeerList = (props) => (
<ul>
{props.beers.map(beer => <BeerListItem beer={beer} key={beer.id} />)}
</ul>
);
BeerList.propTypes = {
beers: React.PropTypes.array.isRequired
};
export default BeerList;
|
gshackles/react-demo-beerlist
|
src/components/BeerList.js
|
JavaScript
|
mit
| 287 |